refactor!: removing loan management module (#35522)

* chore: resolving conflicts

* refactor: bank_clearance and add hook for get_payment_entries_for_bank_clearance

* refactor: bank_reconciliation_tool and add hook for get_matching_vouchers_for_bank_reconciliation

* fix: remove sales invoice from bank_reconciliation_doctypes and use hook for voucher clearance

* refactor: remove loan tests from test_bank_transaction

* refactor: bank_clearance_summary and add hook for get_entries_for_bank_clearance_summary

* refactor: removed test_bank_reconciliation_statement

* refactor: bank_reconciliation_statement and add hook for get_amounts_not_reflected_in_system_for_bank_reconciliation_statement

* refactor: add missing hook and patches for module removal and deprecation warning

* refactor: remove loan management translations

* chore: add erpnext tests dependent on lending
diff --git a/erpnext/accounts/doctype/bank_clearance/bank_clearance.py b/erpnext/accounts/doctype/bank_clearance/bank_clearance.py
index 8ad0bd1..8edd376 100644
--- a/erpnext/accounts/doctype/bank_clearance/bank_clearance.py
+++ b/erpnext/accounts/doctype/bank_clearance/bank_clearance.py
@@ -5,7 +5,6 @@
 import frappe
 from frappe import _, msgprint
 from frappe.model.document import Document
-from frappe.query_builder.custom import ConstantColumn
 from frappe.utils import flt, fmt_money, getdate
 
 import erpnext
@@ -22,167 +21,24 @@
 		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')"
+		entries = []
 
-		journal_entries = frappe.db.sql(
-			"""
-			select
-				"Journal Entry" as payment_document, t1.name as payment_entry,
-				t1.cheque_no as cheque_number, t1.cheque_date,
-				sum(t2.debit_in_account_currency) as debit, sum(t2.credit_in_account_currency) as credit,
-				t1.posting_date, t2.against_account, t1.clearance_date, t2.account_currency
-			from
-				`tabJournal Entry` t1, `tabJournal Entry Account` t2
-			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}
-			group by t2.account, t1.name
-			order by t1.posting_date ASC, t1.name DESC
-		""".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
-				"Payment Entry" as payment_document, name as payment_entry,
-				reference_no as cheque_number, reference_date as cheque_date,
-				if(paid_from=%(account)s, paid_amount + total_taxes_and_charges, 0) as credit,
-				if(paid_from=%(account)s, 0, received_amount) as debit,
-				posting_date, ifnull(party,if(paid_from=%(account)s,paid_to,paid_from)) as against_account, clearance_date,
-				if(paid_to=%(account)s, paid_to_account_currency, paid_from_account_currency) as account_currency
-			from `tabPayment Entry`
-			where
-				(paid_from=%(account)s or paid_to=%(account)s) and docstatus=1
-				and posting_date >= %(from)s and posting_date <= %(to)s
-				{condition}
-			order by
-				posting_date ASC, name DESC
-		""".format(
-				condition=condition
-			),
-			{
-				"account": self.account,
-				"from": self.from_date,
-				"to": self.to_date,
-				"bank_account": self.bank_account,
-			},
-			as_dict=1,
-		)
-
-		loan_disbursement = frappe.qb.DocType("Loan Disbursement")
-
-		query = (
-			frappe.qb.from_(loan_disbursement)
-			.select(
-				ConstantColumn("Loan Disbursement").as_("payment_document"),
-				loan_disbursement.name.as_("payment_entry"),
-				loan_disbursement.disbursed_amount.as_("credit"),
-				ConstantColumn(0).as_("debit"),
-				loan_disbursement.reference_number.as_("cheque_number"),
-				loan_disbursement.reference_date.as_("cheque_date"),
-				loan_disbursement.clearance_date.as_("clearance_date"),
-				loan_disbursement.disbursement_date.as_("posting_date"),
-				loan_disbursement.applicant.as_("against_account"),
-			)
-			.where(loan_disbursement.docstatus == 1)
-			.where(loan_disbursement.disbursement_date >= self.from_date)
-			.where(loan_disbursement.disbursement_date <= self.to_date)
-			.where(loan_disbursement.disbursement_account.isin([self.bank_account, self.account]))
-			.orderby(loan_disbursement.disbursement_date)
-			.orderby(loan_disbursement.name, order=frappe.qb.desc)
-		)
-
-		if not self.include_reconciled_entries:
-			query = query.where(loan_disbursement.clearance_date.isnull())
-
-		loan_disbursements = query.run(as_dict=1)
-
-		loan_repayment = frappe.qb.DocType("Loan Repayment")
-
-		query = (
-			frappe.qb.from_(loan_repayment)
-			.select(
-				ConstantColumn("Loan Repayment").as_("payment_document"),
-				loan_repayment.name.as_("payment_entry"),
-				loan_repayment.amount_paid.as_("debit"),
-				ConstantColumn(0).as_("credit"),
-				loan_repayment.reference_number.as_("cheque_number"),
-				loan_repayment.reference_date.as_("cheque_date"),
-				loan_repayment.clearance_date.as_("clearance_date"),
-				loan_repayment.applicant.as_("against_account"),
-				loan_repayment.posting_date,
-			)
-			.where(loan_repayment.docstatus == 1)
-			.where(loan_repayment.posting_date >= self.from_date)
-			.where(loan_repayment.posting_date <= self.to_date)
-			.where(loan_repayment.payment_account.isin([self.bank_account, self.account]))
-		)
-
-		if not self.include_reconciled_entries:
-			query = query.where(loan_repayment.clearance_date.isnull())
-
-		if frappe.db.has_column("Loan Repayment", "repay_from_salary"):
-			query = query.where((loan_repayment.repay_from_salary == 0))
-
-		query = query.orderby(loan_repayment.posting_date).orderby(
-			loan_repayment.name, order=frappe.qb.desc
-		)
-
-		loan_repayments = query.run(as_dict=True)
-
-		pos_sales_invoices, pos_purchase_invoices = [], []
-		if self.include_pos_transactions:
-			pos_sales_invoices = frappe.db.sql(
-				"""
-				select
-					"Sales Invoice Payment" as payment_document, sip.name as payment_entry, sip.amount as debit,
-					si.posting_date, si.customer as against_account, sip.clearance_date,
-					account.account_currency, 0 as credit
-				from `tabSales Invoice Payment` sip, `tabSales Invoice` si, `tabAccount` account
-				where
-					sip.account=%(account)s and si.docstatus=1 and sip.parent = si.name
-					and account.name = sip.account and si.posting_date >= %(from)s and si.posting_date <= %(to)s
-				order by
-					si.posting_date ASC, si.name DESC
-			""",
-				{"account": self.account, "from": self.from_date, "to": self.to_date},
-				as_dict=1,
-			)
-
-			pos_purchase_invoices = frappe.db.sql(
-				"""
-				select
-					"Purchase Invoice" as payment_document, pi.name as payment_entry, pi.paid_amount as credit,
-					pi.posting_date, pi.supplier as against_account, pi.clearance_date,
-					account.account_currency, 0 as debit
-				from `tabPurchase Invoice` pi, `tabAccount` account
-				where
-					pi.cash_bank_account=%(account)s and pi.docstatus=1 and account.name = pi.cash_bank_account
-					and pi.posting_date >= %(from)s and pi.posting_date <= %(to)s
-				order by
-					pi.posting_date ASC, pi.name DESC
-			""",
-				{"account": self.account, "from": self.from_date, "to": self.to_date},
-				as_dict=1,
+		# get entries from all the apps
+		for method_name in frappe.get_hooks("get_payment_entries_for_bank_clearance"):
+			entries += (
+				frappe.get_attr(method_name)(
+					self.from_date,
+					self.to_date,
+					self.account,
+					self.bank_account,
+					self.include_reconciled_entries,
+					self.include_pos_transactions,
+				)
+				or []
 			)
 
 		entries = sorted(
-			list(payment_entries)
-			+ list(journal_entries)
-			+ list(pos_sales_invoices)
-			+ list(pos_purchase_invoices)
-			+ list(loan_disbursements)
-			+ list(loan_repayments),
+			entries,
 			key=lambda k: getdate(k["posting_date"]),
 		)
 
@@ -235,3 +91,111 @@
 			msgprint(_("Clearance Date updated"))
 		else:
 			msgprint(_("Clearance Date not mentioned"))
+
+
+def get_payment_entries_for_bank_clearance(
+	from_date, to_date, account, bank_account, include_reconciled_entries, include_pos_transactions
+):
+	entries = []
+
+	condition = ""
+	if not include_reconciled_entries:
+		condition = "and (clearance_date IS NULL or clearance_date='0000-00-00')"
+
+	journal_entries = frappe.db.sql(
+		"""
+			select
+				"Journal Entry" as payment_document, t1.name as payment_entry,
+				t1.cheque_no as cheque_number, t1.cheque_date,
+				sum(t2.debit_in_account_currency) as debit, sum(t2.credit_in_account_currency) as credit,
+				t1.posting_date, t2.against_account, t1.clearance_date, t2.account_currency
+			from
+				`tabJournal Entry` t1, `tabJournal Entry Account` t2
+			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}
+			group by t2.account, t1.name
+			order by t1.posting_date ASC, t1.name DESC
+		""".format(
+			condition=condition
+		),
+		{"account": account, "from": from_date, "to": to_date},
+		as_dict=1,
+	)
+
+	if bank_account:
+		condition += "and bank_account = %(bank_account)s"
+
+	payment_entries = frappe.db.sql(
+		"""
+			select
+				"Payment Entry" as payment_document, name as payment_entry,
+				reference_no as cheque_number, reference_date as cheque_date,
+				if(paid_from=%(account)s, paid_amount + total_taxes_and_charges, 0) as credit,
+				if(paid_from=%(account)s, 0, received_amount) as debit,
+				posting_date, ifnull(party,if(paid_from=%(account)s,paid_to,paid_from)) as against_account, clearance_date,
+				if(paid_to=%(account)s, paid_to_account_currency, paid_from_account_currency) as account_currency
+			from `tabPayment Entry`
+			where
+				(paid_from=%(account)s or paid_to=%(account)s) and docstatus=1
+				and posting_date >= %(from)s and posting_date <= %(to)s
+				{condition}
+			order by
+				posting_date ASC, name DESC
+		""".format(
+			condition=condition
+		),
+		{
+			"account": account,
+			"from": from_date,
+			"to": to_date,
+			"bank_account": bank_account,
+		},
+		as_dict=1,
+	)
+
+	pos_sales_invoices, pos_purchase_invoices = [], []
+	if include_pos_transactions:
+		pos_sales_invoices = frappe.db.sql(
+			"""
+				select
+					"Sales Invoice Payment" as payment_document, sip.name as payment_entry, sip.amount as debit,
+					si.posting_date, si.customer as against_account, sip.clearance_date,
+					account.account_currency, 0 as credit
+				from `tabSales Invoice Payment` sip, `tabSales Invoice` si, `tabAccount` account
+				where
+					sip.account=%(account)s and si.docstatus=1 and sip.parent = si.name
+					and account.name = sip.account and si.posting_date >= %(from)s and si.posting_date <= %(to)s
+				order by
+					si.posting_date ASC, si.name DESC
+			""",
+			{"account": account, "from": from_date, "to": to_date},
+			as_dict=1,
+		)
+
+		pos_purchase_invoices = frappe.db.sql(
+			"""
+				select
+					"Purchase Invoice" as payment_document, pi.name as payment_entry, pi.paid_amount as credit,
+					pi.posting_date, pi.supplier as against_account, pi.clearance_date,
+					account.account_currency, 0 as debit
+				from `tabPurchase Invoice` pi, `tabAccount` account
+				where
+					pi.cash_bank_account=%(account)s and pi.docstatus=1 and account.name = pi.cash_bank_account
+					and pi.posting_date >= %(from)s and pi.posting_date <= %(to)s
+				order by
+					pi.posting_date ASC, pi.name DESC
+			""",
+			{"account": account, "from": from_date, "to": to_date},
+			as_dict=1,
+		)
+
+	entries = (
+		list(payment_entries)
+		+ list(journal_entries)
+		+ list(pos_sales_invoices)
+		+ list(pos_purchase_invoices)
+	)
+
+	return entries
diff --git a/erpnext/accounts/doctype/bank_clearance/test_bank_clearance.py b/erpnext/accounts/doctype/bank_clearance/test_bank_clearance.py
index c1e55f6..c7404d1 100644
--- a/erpnext/accounts/doctype/bank_clearance/test_bank_clearance.py
+++ b/erpnext/accounts/doctype/bank_clearance/test_bank_clearance.py
@@ -8,34 +8,96 @@
 
 from erpnext.accounts.doctype.payment_entry.test_payment_entry import get_payment_entry
 from erpnext.accounts.doctype.purchase_invoice.test_purchase_invoice import make_purchase_invoice
-from erpnext.loan_management.doctype.loan.test_loan import (
-	create_loan,
-	create_loan_accounts,
-	create_loan_type,
-	create_repayment_entry,
-	make_loan_disbursement_entry,
-)
+from erpnext.tests.utils import if_lending_app_installed, if_lending_app_not_installed
 
 
 class TestBankClearance(unittest.TestCase):
 	@classmethod
 	def setUpClass(cls):
+		clear_payment_entries()
+		clear_loan_transactions()
 		make_bank_account()
-		create_loan_accounts()
-		create_loan_masters()
 		add_transactions()
 
 	# Basic test case to test if bank clearance tool doesn't break
 	# Detailed test can be added later
+	@if_lending_app_not_installed
 	def test_bank_clearance(self):
 		bank_clearance = frappe.get_doc("Bank Clearance")
 		bank_clearance.account = "_Test Bank Clearance - _TC"
 		bank_clearance.from_date = add_months(getdate(), -1)
 		bank_clearance.to_date = getdate()
 		bank_clearance.get_payment_entries()
+		self.assertEqual(len(bank_clearance.payment_entries), 1)
+
+	@if_lending_app_installed
+	def test_bank_clearance_with_loan(self):
+		from lending.loan_management.doctype.loan.test_loan import (
+			create_loan,
+			create_loan_accounts,
+			create_loan_type,
+			create_repayment_entry,
+			make_loan_disbursement_entry,
+		)
+
+		def create_loan_masters():
+			create_loan_type(
+				"Clearance Loan",
+				2000000,
+				13.5,
+				25,
+				0,
+				5,
+				"Cash",
+				"_Test Bank Clearance - _TC",
+				"_Test Bank Clearance - _TC",
+				"Loan Account - _TC",
+				"Interest Income Account - _TC",
+				"Penalty Income Account - _TC",
+			)
+
+		def make_loan():
+			loan = create_loan(
+				"_Test Customer",
+				"Clearance Loan",
+				280000,
+				"Repay Over Number of Periods",
+				20,
+				applicant_type="Customer",
+			)
+			loan.submit()
+			make_loan_disbursement_entry(loan.name, loan.loan_amount, disbursement_date=getdate())
+			repayment_entry = create_repayment_entry(
+				loan.name, "_Test Customer", getdate(), loan.loan_amount
+			)
+			repayment_entry.save()
+			repayment_entry.submit()
+
+		create_loan_accounts()
+		create_loan_masters()
+		make_loan()
+
+		bank_clearance = frappe.get_doc("Bank Clearance")
+		bank_clearance.account = "_Test Bank Clearance - _TC"
+		bank_clearance.from_date = add_months(getdate(), -1)
+		bank_clearance.to_date = getdate()
+		bank_clearance.get_payment_entries()
 		self.assertEqual(len(bank_clearance.payment_entries), 3)
 
 
+def clear_payment_entries():
+	frappe.db.delete("Payment Entry")
+
+
+@if_lending_app_installed
+def clear_loan_transactions():
+	for dt in [
+		"Loan Disbursement",
+		"Loan Repayment",
+	]:
+		frappe.db.delete(dt)
+
+
 def make_bank_account():
 	if not frappe.db.get_value("Account", "_Test Bank Clearance - _TC"):
 		frappe.get_doc(
@@ -49,42 +111,8 @@
 		).insert()
 
 
-def create_loan_masters():
-	create_loan_type(
-		"Clearance Loan",
-		2000000,
-		13.5,
-		25,
-		0,
-		5,
-		"Cash",
-		"_Test Bank Clearance - _TC",
-		"_Test Bank Clearance - _TC",
-		"Loan Account - _TC",
-		"Interest Income Account - _TC",
-		"Penalty Income Account - _TC",
-	)
-
-
 def add_transactions():
 	make_payment_entry()
-	make_loan()
-
-
-def make_loan():
-	loan = create_loan(
-		"_Test Customer",
-		"Clearance Loan",
-		280000,
-		"Repay Over Number of Periods",
-		20,
-		applicant_type="Customer",
-	)
-	loan.submit()
-	make_loan_disbursement_entry(loan.name, loan.loan_amount, disbursement_date=getdate())
-	repayment_entry = create_repayment_entry(loan.name, "_Test Customer", getdate(), loan.loan_amount)
-	repayment_entry.save()
-	repayment_entry.submit()
 
 
 def make_payment_entry():
diff --git a/erpnext/accounts/doctype/bank_reconciliation_tool/bank_reconciliation_tool.py b/erpnext/accounts/doctype/bank_reconciliation_tool/bank_reconciliation_tool.py
index 0eef3e9..3da5ac3 100644
--- a/erpnext/accounts/doctype/bank_reconciliation_tool/bank_reconciliation_tool.py
+++ b/erpnext/accounts/doctype/bank_reconciliation_tool/bank_reconciliation_tool.py
@@ -7,7 +7,6 @@
 import frappe
 from frappe import _
 from frappe.model.document import Document
-from frappe.query_builder.custom import ConstantColumn
 from frappe.utils import cint, flt
 
 from erpnext import get_default_cost_center
@@ -419,19 +418,7 @@
 	to_reference_date,
 ):
 	exact_match = True if "exact_match" in document_types else False
-	# combine all types of vouchers
-	subquery = get_queries(
-		bank_account,
-		company,
-		transaction,
-		document_types,
-		from_date,
-		to_date,
-		filter_by_reference_date,
-		from_reference_date,
-		to_reference_date,
-		exact_match,
-	)
+
 	filters = {
 		"amount": transaction.unallocated_amount,
 		"payment_type": "Receive" if transaction.deposit > 0.0 else "Pay",
@@ -443,21 +430,29 @@
 
 	matching_vouchers = []
 
-	matching_vouchers.extend(
-		get_loan_vouchers(bank_account, transaction, document_types, filters, exact_match)
-	)
-
-	for query in subquery:
+	# get matching vouchers from all the apps
+	for method_name in frappe.get_hooks("get_matching_vouchers_for_bank_reconciliation"):
 		matching_vouchers.extend(
-			frappe.db.sql(
-				query,
+			frappe.get_attr(method_name)(
+				bank_account,
+				company,
+				transaction,
+				document_types,
+				from_date,
+				to_date,
+				filter_by_reference_date,
+				from_reference_date,
+				to_reference_date,
+				exact_match,
 				filters,
 			)
+			or []
 		)
+
 	return sorted(matching_vouchers, key=lambda x: x[0], reverse=True) if matching_vouchers else []
 
 
-def get_queries(
+def get_matching_vouchers_for_bank_reconciliation(
 	bank_account,
 	company,
 	transaction,
@@ -468,6 +463,7 @@
 	from_reference_date,
 	to_reference_date,
 	exact_match,
+	filters,
 ):
 	# get queries to get matching vouchers
 	account_from_to = "paid_to" if transaction.deposit > 0.0 else "paid_from"
@@ -492,7 +488,17 @@
 			or []
 		)
 
-	return queries
+	vouchers = []
+
+	for query in queries:
+		vouchers.extend(
+			frappe.db.sql(
+				query,
+				filters,
+			)
+		)
+
+	return vouchers
 
 
 def get_matching_queries(
@@ -550,18 +556,6 @@
 	return queries
 
 
-def get_loan_vouchers(bank_account, transaction, document_types, filters, exact_match):
-	vouchers = []
-
-	if transaction.withdrawal > 0.0 and "loan_disbursement" in document_types:
-		vouchers.extend(get_ld_matching_query(bank_account, exact_match, filters))
-
-	if transaction.deposit > 0.0 and "loan_repayment" in document_types:
-		vouchers.extend(get_lr_matching_query(bank_account, exact_match, filters))
-
-	return vouchers
-
-
 def get_bt_matching_query(exact_match, transaction):
 	# get matching bank transaction query
 	# find bank transactions in the same bank account with opposite sign
@@ -595,85 +589,6 @@
 	"""
 
 
-def get_ld_matching_query(bank_account, exact_match, filters):
-	loan_disbursement = frappe.qb.DocType("Loan Disbursement")
-	matching_reference = loan_disbursement.reference_number == filters.get("reference_number")
-	matching_party = loan_disbursement.applicant_type == filters.get(
-		"party_type"
-	) and loan_disbursement.applicant == filters.get("party")
-
-	rank = frappe.qb.terms.Case().when(matching_reference, 1).else_(0)
-
-	rank1 = frappe.qb.terms.Case().when(matching_party, 1).else_(0)
-
-	query = (
-		frappe.qb.from_(loan_disbursement)
-		.select(
-			rank + rank1 + 1,
-			ConstantColumn("Loan Disbursement").as_("doctype"),
-			loan_disbursement.name,
-			loan_disbursement.disbursed_amount,
-			loan_disbursement.reference_number,
-			loan_disbursement.reference_date,
-			loan_disbursement.applicant_type,
-			loan_disbursement.disbursement_date,
-		)
-		.where(loan_disbursement.docstatus == 1)
-		.where(loan_disbursement.clearance_date.isnull())
-		.where(loan_disbursement.disbursement_account == bank_account)
-	)
-
-	if exact_match:
-		query.where(loan_disbursement.disbursed_amount == filters.get("amount"))
-	else:
-		query.where(loan_disbursement.disbursed_amount > 0.0)
-
-	vouchers = query.run(as_list=True)
-
-	return vouchers
-
-
-def get_lr_matching_query(bank_account, exact_match, filters):
-	loan_repayment = frappe.qb.DocType("Loan Repayment")
-	matching_reference = loan_repayment.reference_number == filters.get("reference_number")
-	matching_party = loan_repayment.applicant_type == filters.get(
-		"party_type"
-	) and loan_repayment.applicant == filters.get("party")
-
-	rank = frappe.qb.terms.Case().when(matching_reference, 1).else_(0)
-
-	rank1 = frappe.qb.terms.Case().when(matching_party, 1).else_(0)
-
-	query = (
-		frappe.qb.from_(loan_repayment)
-		.select(
-			rank + rank1 + 1,
-			ConstantColumn("Loan Repayment").as_("doctype"),
-			loan_repayment.name,
-			loan_repayment.amount_paid,
-			loan_repayment.reference_number,
-			loan_repayment.reference_date,
-			loan_repayment.applicant_type,
-			loan_repayment.posting_date,
-		)
-		.where(loan_repayment.docstatus == 1)
-		.where(loan_repayment.clearance_date.isnull())
-		.where(loan_repayment.payment_account == bank_account)
-	)
-
-	if frappe.db.has_column("Loan Repayment", "repay_from_salary"):
-		query = query.where((loan_repayment.repay_from_salary == 0))
-
-	if exact_match:
-		query.where(loan_repayment.amount_paid == filters.get("amount"))
-	else:
-		query.where(loan_repayment.amount_paid > 0.0)
-
-	vouchers = query.run()
-
-	return vouchers
-
-
 def get_pe_matching_query(
 	exact_match,
 	account_from_to,
diff --git a/erpnext/accounts/doctype/bank_transaction/bank_transaction.py b/erpnext/accounts/doctype/bank_transaction/bank_transaction.py
index f82337f..6a47562 100644
--- a/erpnext/accounts/doctype/bank_transaction/bank_transaction.py
+++ b/erpnext/accounts/doctype/bank_transaction/bank_transaction.py
@@ -343,14 +343,7 @@
 
 
 def set_voucher_clearance(doctype, docname, clearance_date, self):
-	if doctype in [
-		"Payment Entry",
-		"Journal Entry",
-		"Purchase Invoice",
-		"Expense Claim",
-		"Loan Repayment",
-		"Loan Disbursement",
-	]:
+	if doctype in get_doctypes_for_bank_reconciliation():
 		if (
 			doctype == "Payment Entry"
 			and frappe.db.get_value("Payment Entry", docname, "payment_type") == "Internal Transfer"
diff --git a/erpnext/accounts/doctype/bank_transaction/test_bank_transaction.py b/erpnext/accounts/doctype/bank_transaction/test_bank_transaction.py
index f900e07..59905da 100644
--- a/erpnext/accounts/doctype/bank_transaction/test_bank_transaction.py
+++ b/erpnext/accounts/doctype/bank_transaction/test_bank_transaction.py
@@ -16,6 +16,7 @@
 from erpnext.accounts.doctype.pos_profile.test_pos_profile import make_pos_profile
 from erpnext.accounts.doctype.purchase_invoice.test_purchase_invoice import make_purchase_invoice
 from erpnext.accounts.doctype.sales_invoice.test_sales_invoice import create_sales_invoice
+from erpnext.tests.utils import if_lending_app_installed
 
 test_dependencies = ["Item", "Cost Center"]
 
@@ -23,14 +24,13 @@
 class TestBankTransaction(FrappeTestCase):
 	def setUp(self):
 		for dt in [
-			"Loan Repayment",
 			"Bank Transaction",
 			"Payment Entry",
 			"Payment Entry Reference",
 			"POS Profile",
 		]:
 			frappe.db.delete(dt)
-
+		clear_loan_transactions()
 		make_pos_profile()
 		add_transactions()
 		add_vouchers()
@@ -160,8 +160,9 @@
 			is not None
 		)
 
+	@if_lending_app_installed
 	def test_matching_loan_repayment(self):
-		from erpnext.loan_management.doctype.loan.test_loan import create_loan_accounts
+		from lending.loan_management.doctype.loan.test_loan import create_loan_accounts
 
 		create_loan_accounts()
 		bank_account = frappe.get_doc(
@@ -190,6 +191,11 @@
 		self.assertEqual(linked_payments[0][2], repayment_entry.name)
 
 
+@if_lending_app_installed
+def clear_loan_transactions():
+	frappe.db.delete("Loan Repayment")
+
+
 def create_bank_account(bank_name="Citi Bank", account_name="_Test Bank - _TC"):
 	try:
 		frappe.get_doc(
@@ -400,16 +406,18 @@
 	si.submit()
 
 
+@if_lending_app_installed
 def create_loan_and_repayment():
-	from erpnext.loan_management.doctype.loan.test_loan import (
+	from lending.loan_management.doctype.loan.test_loan import (
 		create_loan,
 		create_loan_type,
 		create_repayment_entry,
 		make_loan_disbursement_entry,
 	)
-	from erpnext.loan_management.doctype.process_loan_interest_accrual.process_loan_interest_accrual import (
+	from lending.loan_management.doctype.process_loan_interest_accrual.process_loan_interest_accrual import (
 		process_loan_interest_accrual_for_term_loans,
 	)
+
 	from erpnext.setup.doctype.employee.test_employee import make_employee
 
 	create_loan_type(
diff --git a/erpnext/accounts/report/bank_clearance_summary/bank_clearance_summary.py b/erpnext/accounts/report/bank_clearance_summary/bank_clearance_summary.py
index 2d68bb7..e3127b3 100644
--- a/erpnext/accounts/report/bank_clearance_summary/bank_clearance_summary.py
+++ b/erpnext/accounts/report/bank_clearance_summary/bank_clearance_summary.py
@@ -4,7 +4,6 @@
 
 import frappe
 from frappe import _
-from frappe.query_builder.custom import ConstantColumn
 from frappe.utils import getdate, nowdate
 
 
@@ -61,7 +60,28 @@
 
 
 def get_entries(filters):
+	entries = []
+
+	# get entries from all the apps
+	for method_name in frappe.get_hooks("get_entries_for_bank_clearance_summary"):
+		entries += (
+			frappe.get_attr(method_name)(
+				filters,
+			)
+			or []
+		)
+
+	return sorted(
+		entries,
+		key=lambda k: k[2] or getdate(nowdate()),
+	)
+
+
+def get_entries_for_bank_clearance_summary(filters):
+	entries = []
+
 	conditions = get_conditions(filters)
+
 	journal_entries = frappe.db.sql(
 		"""SELECT
 			"Journal Entry", jv.name, jv.posting_date, jv.cheque_no,
@@ -92,65 +112,6 @@
 		as_list=1,
 	)
 
-	# Loan Disbursement
-	loan_disbursement = frappe.qb.DocType("Loan Disbursement")
+	entries = journal_entries + payment_entries
 
-	query = (
-		frappe.qb.from_(loan_disbursement)
-		.select(
-			ConstantColumn("Loan Disbursement").as_("payment_document_type"),
-			loan_disbursement.name.as_("payment_entry"),
-			loan_disbursement.disbursement_date.as_("posting_date"),
-			loan_disbursement.reference_number.as_("cheque_no"),
-			loan_disbursement.clearance_date.as_("clearance_date"),
-			loan_disbursement.applicant.as_("against"),
-			-loan_disbursement.disbursed_amount.as_("amount"),
-		)
-		.where(loan_disbursement.docstatus == 1)
-		.where(loan_disbursement.disbursement_date >= filters["from_date"])
-		.where(loan_disbursement.disbursement_date <= filters["to_date"])
-		.where(loan_disbursement.disbursement_account == filters["account"])
-		.orderby(loan_disbursement.disbursement_date, order=frappe.qb.desc)
-		.orderby(loan_disbursement.name, order=frappe.qb.desc)
-	)
-
-	if filters.get("from_date"):
-		query = query.where(loan_disbursement.disbursement_date >= filters["from_date"])
-	if filters.get("to_date"):
-		query = query.where(loan_disbursement.disbursement_date <= filters["to_date"])
-
-	loan_disbursements = query.run(as_list=1)
-
-	# Loan Repayment
-	loan_repayment = frappe.qb.DocType("Loan Repayment")
-
-	query = (
-		frappe.qb.from_(loan_repayment)
-		.select(
-			ConstantColumn("Loan Repayment").as_("payment_document_type"),
-			loan_repayment.name.as_("payment_entry"),
-			loan_repayment.posting_date.as_("posting_date"),
-			loan_repayment.reference_number.as_("cheque_no"),
-			loan_repayment.clearance_date.as_("clearance_date"),
-			loan_repayment.applicant.as_("against"),
-			loan_repayment.amount_paid.as_("amount"),
-		)
-		.where(loan_repayment.docstatus == 1)
-		.where(loan_repayment.posting_date >= filters["from_date"])
-		.where(loan_repayment.posting_date <= filters["to_date"])
-		.where(loan_repayment.payment_account == filters["account"])
-		.orderby(loan_repayment.posting_date, order=frappe.qb.desc)
-		.orderby(loan_repayment.name, order=frappe.qb.desc)
-	)
-
-	if filters.get("from_date"):
-		query = query.where(loan_repayment.posting_date >= filters["from_date"])
-	if filters.get("to_date"):
-		query = query.where(loan_repayment.posting_date <= filters["to_date"])
-
-	loan_repayments = query.run(as_list=1)
-
-	return sorted(
-		journal_entries + payment_entries + loan_disbursements + loan_repayments,
-		key=lambda k: k[2] or getdate(nowdate()),
-	)
+	return entries
diff --git a/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py b/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py
index b0a0e05..206654c 100644
--- a/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py
+++ b/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py
@@ -4,10 +4,7 @@
 
 import frappe
 from frappe import _
-from frappe.query_builder.custom import ConstantColumn
-from frappe.query_builder.functions import Sum
 from frappe.utils import flt, getdate
-from pypika import CustomFunction
 
 from erpnext.accounts.utils import get_balance_on
 
@@ -113,20 +110,27 @@
 
 
 def get_entries(filters):
+	entries = []
+
+	for method_name in frappe.get_hooks("get_entries_for_bank_reconciliation_statement"):
+		entries += frappe.get_attr(method_name)(filters) or []
+
+	return sorted(
+		entries,
+		key=lambda k: getdate(k["posting_date"]),
+	)
+
+
+def get_entries_for_bank_reconciliation_statement(filters):
 	journal_entries = get_journal_entries(filters)
 
 	payment_entries = get_payment_entries(filters)
 
-	loan_entries = get_loan_entries(filters)
-
 	pos_entries = []
 	if filters.include_pos_transactions:
 		pos_entries = get_pos_entries(filters)
 
-	return sorted(
-		list(payment_entries) + list(journal_entries + list(pos_entries) + list(loan_entries)),
-		key=lambda k: getdate(k["posting_date"]),
-	)
+	return list(journal_entries) + list(payment_entries) + list(pos_entries)
 
 
 def get_journal_entries(filters):
@@ -188,47 +192,19 @@
 	)
 
 
-def get_loan_entries(filters):
-	loan_docs = []
-	for doctype in ["Loan Disbursement", "Loan Repayment"]:
-		loan_doc = frappe.qb.DocType(doctype)
-		ifnull = CustomFunction("IFNULL", ["value", "default"])
-
-		if doctype == "Loan Disbursement":
-			amount_field = (loan_doc.disbursed_amount).as_("credit")
-			posting_date = (loan_doc.disbursement_date).as_("posting_date")
-			account = loan_doc.disbursement_account
-		else:
-			amount_field = (loan_doc.amount_paid).as_("debit")
-			posting_date = (loan_doc.posting_date).as_("posting_date")
-			account = loan_doc.payment_account
-
-		query = (
-			frappe.qb.from_(loan_doc)
-			.select(
-				ConstantColumn(doctype).as_("payment_document"),
-				(loan_doc.name).as_("payment_entry"),
-				(loan_doc.reference_number).as_("reference_no"),
-				(loan_doc.reference_date).as_("ref_date"),
-				amount_field,
-				posting_date,
-			)
-			.where(loan_doc.docstatus == 1)
-			.where(account == filters.get("account"))
-			.where(posting_date <= getdate(filters.get("report_date")))
-			.where(ifnull(loan_doc.clearance_date, "4000-01-01") > getdate(filters.get("report_date")))
-		)
-
-		if doctype == "Loan Repayment" and frappe.db.has_column("Loan Repayment", "repay_from_salary"):
-			query = query.where((loan_doc.repay_from_salary == 0))
-
-		entries = query.run(as_dict=1)
-		loan_docs.extend(entries)
-
-	return loan_docs
-
-
 def get_amounts_not_reflected_in_system(filters):
+	amount = 0.0
+
+	# get amounts from all the apps
+	for method_name in frappe.get_hooks(
+		"get_amounts_not_reflected_in_system_for_bank_reconciliation_statement"
+	):
+		amount += frappe.get_attr(method_name)(filters) or 0.0
+
+	return amount
+
+
+def get_amounts_not_reflected_in_system_for_bank_reconciliation_statement(filters):
 	je_amount = frappe.db.sql(
 		"""
 		select sum(jvd.debit_in_account_currency - jvd.credit_in_account_currency)
@@ -252,42 +228,7 @@
 
 	pe_amount = flt(pe_amount[0][0]) if pe_amount else 0.0
 
-	loan_amount = get_loan_amount(filters)
-
-	return je_amount + pe_amount + loan_amount
-
-
-def get_loan_amount(filters):
-	total_amount = 0
-	for doctype in ["Loan Disbursement", "Loan Repayment"]:
-		loan_doc = frappe.qb.DocType(doctype)
-		ifnull = CustomFunction("IFNULL", ["value", "default"])
-
-		if doctype == "Loan Disbursement":
-			amount_field = Sum(loan_doc.disbursed_amount)
-			posting_date = (loan_doc.disbursement_date).as_("posting_date")
-			account = loan_doc.disbursement_account
-		else:
-			amount_field = Sum(loan_doc.amount_paid)
-			posting_date = (loan_doc.posting_date).as_("posting_date")
-			account = loan_doc.payment_account
-
-		query = (
-			frappe.qb.from_(loan_doc)
-			.select(amount_field)
-			.where(loan_doc.docstatus == 1)
-			.where(account == filters.get("account"))
-			.where(posting_date > getdate(filters.get("report_date")))
-			.where(ifnull(loan_doc.clearance_date, "4000-01-01") <= getdate(filters.get("report_date")))
-		)
-
-		if doctype == "Loan Repayment" and frappe.db.has_column("Loan Repayment", "repay_from_salary"):
-			query = query.where((loan_doc.repay_from_salary == 0))
-
-		amount = query.run()[0][0]
-		total_amount += flt(amount)
-
-	return total_amount
+	return je_amount + pe_amount
 
 
 def get_balance_row(label, amount, account_currency):
diff --git a/erpnext/accounts/report/bank_reconciliation_statement/test_bank_reconciliation_statement.py b/erpnext/accounts/report/bank_reconciliation_statement/test_bank_reconciliation_statement.py
index d7c8716..b1753ca 100644
--- a/erpnext/accounts/report/bank_reconciliation_statement/test_bank_reconciliation_statement.py
+++ b/erpnext/accounts/report/bank_reconciliation_statement/test_bank_reconciliation_statement.py
@@ -4,28 +4,32 @@
 import frappe
 from frappe.tests.utils import FrappeTestCase
 
-from erpnext.accounts.doctype.bank_transaction.test_bank_transaction import (
-	create_loan_and_repayment,
-)
 from erpnext.accounts.report.bank_reconciliation_statement.bank_reconciliation_statement import (
 	execute,
 )
-from erpnext.loan_management.doctype.loan.test_loan import create_loan_accounts
+from erpnext.tests.utils import if_lending_app_installed
 
 
 class TestBankReconciliationStatement(FrappeTestCase):
 	def setUp(self):
 		for dt in [
-			"Loan Repayment",
-			"Loan Disbursement",
 			"Journal Entry",
 			"Journal Entry Account",
 			"Payment Entry",
 		]:
 			frappe.db.delete(dt)
+		clear_loan_transactions()
 
+	@if_lending_app_installed
 	def test_loan_entries_in_bank_reco_statement(self):
+		from lending.loan_management.doctype.loan.test_loan import create_loan_accounts
+
+		from erpnext.accounts.doctype.bank_transaction.test_bank_transaction import (
+			create_loan_and_repayment,
+		)
+
 		create_loan_accounts()
+
 		repayment_entry = create_loan_and_repayment()
 
 		filters = frappe._dict(
@@ -38,3 +42,12 @@
 		result = execute(filters)
 
 		self.assertEqual(result[1][0].payment_entry, repayment_entry.name)
+
+
+@if_lending_app_installed
+def clear_loan_transactions():
+	for dt in [
+		"Loan Disbursement",
+		"Loan Repayment",
+	]:
+		frappe.db.delete(dt)
diff --git a/erpnext/hooks.py b/erpnext/hooks.py
index c821fcf..a6d939e 100644
--- a/erpnext/hooks.py
+++ b/erpnext/hooks.py
@@ -419,13 +419,10 @@
 	"daily_long": [
 		"erpnext.setup.doctype.email_digest.email_digest.send",
 		"erpnext.manufacturing.doctype.bom_update_tool.bom_update_tool.auto_update_latest_price_in_all_boms",
-		"erpnext.loan_management.doctype.process_loan_security_shortfall.process_loan_security_shortfall.create_process_loan_security_shortfall",
-		"erpnext.loan_management.doctype.process_loan_interest_accrual.process_loan_interest_accrual.process_loan_interest_accrual_for_term_loans",
 		"erpnext.crm.utils.open_leads_opportunities_based_on_todays_event",
 	],
 	"monthly_long": [
 		"erpnext.accounts.deferred_revenue.process_deferred_accounting",
-		"erpnext.loan_management.doctype.process_loan_interest_accrual.process_loan_interest_accrual.process_loan_interest_accrual_for_demand_loans",
 	],
 }
 
@@ -471,9 +468,6 @@
 	"Payment Entry",
 	"Journal Entry",
 	"Purchase Invoice",
-	"Sales Invoice",
-	"Loan Repayment",
-	"Loan Disbursement",
 ]
 
 accounting_dimension_doctypes = [
@@ -521,11 +515,22 @@
 	"Account Closing Balance",
 ]
 
-# get matching queries for Bank Reconciliation
 get_matching_queries = (
 	"erpnext.accounts.doctype.bank_reconciliation_tool.bank_reconciliation_tool.get_matching_queries"
 )
 
+get_matching_vouchers_for_bank_reconciliation = "erpnext.accounts.doctype.bank_reconciliation_tool.bank_reconciliation_tool.get_matching_vouchers_for_bank_reconciliation"
+
+get_amounts_not_reflected_in_system_for_bank_reconciliation_statement = "erpnext.accounts.report.bank_reconciliation_statement.bank_reconciliation_statement.get_amounts_not_reflected_in_system_for_bank_reconciliation_statement"
+
+get_payment_entries_for_bank_clearance = (
+	"erpnext.accounts.doctype.bank_clearance.bank_clearance.get_payment_entries_for_bank_clearance"
+)
+
+get_entries_for_bank_clearance_summary = "erpnext.accounts.report.bank_clearance_summary.bank_clearance_summary.get_entries_for_bank_clearance_summary"
+
+get_entries_for_bank_reconciliation_statement = "erpnext.accounts.report.bank_reconciliation_statement.bank_reconciliation_statement.get_entries_for_bank_reconciliation_statement"
+
 regional_overrides = {
 	"France": {
 		"erpnext.tests.test_regional.test_method": "erpnext.regional.france.utils.test_method"
@@ -593,7 +598,6 @@
 		{"doctype": "Branch", "index": 35},
 		{"doctype": "Department", "index": 36},
 		{"doctype": "Designation", "index": 38},
-		{"doctype": "Loan", "index": 44},
 		{"doctype": "Maintenance Schedule", "index": 45},
 		{"doctype": "Maintenance Visit", "index": 46},
 		{"doctype": "Warranty Claim", "index": 47},
diff --git a/erpnext/loan_management/__init__.py b/erpnext/loan_management/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/__init__.py
+++ /dev/null
diff --git a/erpnext/loan_management/dashboard_chart/loan_disbursements/loan_disbursements.json b/erpnext/loan_management/dashboard_chart/loan_disbursements/loan_disbursements.json
deleted file mode 100644
index b8abf21..0000000
--- a/erpnext/loan_management/dashboard_chart/loan_disbursements/loan_disbursements.json
+++ /dev/null
@@ -1,29 +0,0 @@
-{
- "based_on": "disbursement_date",
- "chart_name": "Loan Disbursements",
- "chart_type": "Sum",
- "creation": "2021-02-06 18:40:36.148470",
- "docstatus": 0,
- "doctype": "Dashboard Chart",
- "document_type": "Loan Disbursement",
- "dynamic_filters_json": "[]",
- "filters_json": "[[\"Loan Disbursement\",\"docstatus\",\"=\",\"1\",false]]",
- "group_by_type": "Count",
- "idx": 0,
- "is_public": 0,
- "is_standard": 1,
- "modified": "2021-02-06 18:40:49.308663",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Loan Disbursements",
- "number_of_groups": 0,
- "owner": "Administrator",
- "source": "",
- "time_interval": "Daily",
- "timeseries": 1,
- "timespan": "Last Month",
- "type": "Line",
- "use_report_chart": 0,
- "value_based_on": "disbursed_amount",
- "y_axis": []
-}
\ No newline at end of file
diff --git a/erpnext/loan_management/dashboard_chart/loan_interest_accrual/loan_interest_accrual.json b/erpnext/loan_management/dashboard_chart/loan_interest_accrual/loan_interest_accrual.json
deleted file mode 100644
index aa0f78a..0000000
--- a/erpnext/loan_management/dashboard_chart/loan_interest_accrual/loan_interest_accrual.json
+++ /dev/null
@@ -1,31 +0,0 @@
-{
- "based_on": "posting_date",
- "chart_name": "Loan Interest Accrual",
- "chart_type": "Sum",
- "color": "#39E4A5",
- "creation": "2021-02-18 20:07:04.843876",
- "docstatus": 0,
- "doctype": "Dashboard Chart",
- "document_type": "Loan Interest Accrual",
- "dynamic_filters_json": "[]",
- "filters_json": "[[\"Loan Interest Accrual\",\"docstatus\",\"=\",\"1\",false]]",
- "group_by_type": "Count",
- "idx": 0,
- "is_public": 0,
- "is_standard": 1,
- "last_synced_on": "2021-02-21 21:01:26.022634",
- "modified": "2021-02-21 21:01:44.930712",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Loan Interest Accrual",
- "number_of_groups": 0,
- "owner": "Administrator",
- "source": "",
- "time_interval": "Monthly",
- "timeseries": 1,
- "timespan": "Last Year",
- "type": "Line",
- "use_report_chart": 0,
- "value_based_on": "interest_amount",
- "y_axis": []
-}
\ No newline at end of file
diff --git a/erpnext/loan_management/dashboard_chart/new_loans/new_loans.json b/erpnext/loan_management/dashboard_chart/new_loans/new_loans.json
deleted file mode 100644
index 35bd43b..0000000
--- a/erpnext/loan_management/dashboard_chart/new_loans/new_loans.json
+++ /dev/null
@@ -1,31 +0,0 @@
-{
- "based_on": "creation",
- "chart_name": "New Loans",
- "chart_type": "Count",
- "color": "#449CF0",
- "creation": "2021-02-06 16:59:27.509170",
- "docstatus": 0,
- "doctype": "Dashboard Chart",
- "document_type": "Loan",
- "dynamic_filters_json": "[]",
- "filters_json": "[[\"Loan\",\"docstatus\",\"=\",\"1\",false]]",
- "group_by_type": "Count",
- "idx": 0,
- "is_public": 0,
- "is_standard": 1,
- "last_synced_on": "2021-02-21 20:55:33.515025",
- "modified": "2021-02-21 21:00:33.900821",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "New Loans",
- "number_of_groups": 0,
- "owner": "Administrator",
- "source": "",
- "time_interval": "Daily",
- "timeseries": 1,
- "timespan": "Last Month",
- "type": "Bar",
- "use_report_chart": 0,
- "value_based_on": "",
- "y_axis": []
-}
\ No newline at end of file
diff --git a/erpnext/loan_management/dashboard_chart/top_10_pledged_loan_securities/top_10_pledged_loan_securities.json b/erpnext/loan_management/dashboard_chart/top_10_pledged_loan_securities/top_10_pledged_loan_securities.json
deleted file mode 100644
index 76c27b0..0000000
--- a/erpnext/loan_management/dashboard_chart/top_10_pledged_loan_securities/top_10_pledged_loan_securities.json
+++ /dev/null
@@ -1,31 +0,0 @@
-{
- "based_on": "",
- "chart_name": "Top 10 Pledged Loan Securities",
- "chart_type": "Custom",
- "color": "#EC864B",
- "creation": "2021-02-06 22:02:46.284479",
- "docstatus": 0,
- "doctype": "Dashboard Chart",
- "document_type": "",
- "dynamic_filters_json": "[]",
- "filters_json": "[]",
- "group_by_type": "Count",
- "idx": 0,
- "is_public": 0,
- "is_standard": 1,
- "last_synced_on": "2021-02-21 21:00:57.043034",
- "modified": "2021-02-21 21:01:10.048623",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Top 10 Pledged Loan Securities",
- "number_of_groups": 0,
- "owner": "Administrator",
- "source": "Top 10 Pledged Loan Securities",
- "time_interval": "Yearly",
- "timeseries": 0,
- "timespan": "Last Year",
- "type": "Bar",
- "use_report_chart": 0,
- "value_based_on": "",
- "y_axis": []
-}
\ No newline at end of file
diff --git a/erpnext/loan_management/dashboard_chart_source/__init__.py b/erpnext/loan_management/dashboard_chart_source/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/dashboard_chart_source/__init__.py
+++ /dev/null
diff --git a/erpnext/loan_management/dashboard_chart_source/top_10_pledged_loan_securities/__init__.py b/erpnext/loan_management/dashboard_chart_source/top_10_pledged_loan_securities/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/dashboard_chart_source/top_10_pledged_loan_securities/__init__.py
+++ /dev/null
diff --git a/erpnext/loan_management/dashboard_chart_source/top_10_pledged_loan_securities/top_10_pledged_loan_securities.js b/erpnext/loan_management/dashboard_chart_source/top_10_pledged_loan_securities/top_10_pledged_loan_securities.js
deleted file mode 100644
index 5817941..0000000
--- a/erpnext/loan_management/dashboard_chart_source/top_10_pledged_loan_securities/top_10_pledged_loan_securities.js
+++ /dev/null
@@ -1,14 +0,0 @@
-frappe.provide('frappe.dashboards.chart_sources');
-
-frappe.dashboards.chart_sources["Top 10 Pledged Loan Securities"] = {
-	method: "erpnext.loan_management.dashboard_chart_source.top_10_pledged_loan_securities.top_10_pledged_loan_securities.get_data",
-	filters: [
-		{
-			fieldname: "company",
-			label: __("Company"),
-			fieldtype: "Link",
-			options: "Company",
-			default: frappe.defaults.get_user_default("Company")
-		}
-	]
-};
diff --git a/erpnext/loan_management/dashboard_chart_source/top_10_pledged_loan_securities/top_10_pledged_loan_securities.json b/erpnext/loan_management/dashboard_chart_source/top_10_pledged_loan_securities/top_10_pledged_loan_securities.json
deleted file mode 100644
index 42c9b1c..0000000
--- a/erpnext/loan_management/dashboard_chart_source/top_10_pledged_loan_securities/top_10_pledged_loan_securities.json
+++ /dev/null
@@ -1,13 +0,0 @@
-{
- "creation": "2021-02-06 22:01:01.332628",
- "docstatus": 0,
- "doctype": "Dashboard Chart Source",
- "idx": 0,
- "modified": "2021-02-06 22:01:01.332628",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Top 10 Pledged Loan Securities",
- "owner": "Administrator",
- "source_name": "Top 10 Pledged Loan Securities ",
- "timeseries": 0
-}
\ No newline at end of file
diff --git a/erpnext/loan_management/dashboard_chart_source/top_10_pledged_loan_securities/top_10_pledged_loan_securities.py b/erpnext/loan_management/dashboard_chart_source/top_10_pledged_loan_securities/top_10_pledged_loan_securities.py
deleted file mode 100644
index aab3d8c..0000000
--- a/erpnext/loan_management/dashboard_chart_source/top_10_pledged_loan_securities/top_10_pledged_loan_securities.py
+++ /dev/null
@@ -1,99 +0,0 @@
-# Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and Contributors
-# License: GNU General Public License v3. See license.txt
-
-
-import frappe
-from frappe.utils.dashboard import cache_source
-
-from erpnext.loan_management.report.applicant_wise_loan_security_exposure.applicant_wise_loan_security_exposure import (
-	get_loan_security_details,
-)
-
-
-@frappe.whitelist()
-@cache_source
-def get_data(
-	chart_name=None,
-	chart=None,
-	no_cache=None,
-	filters=None,
-	from_date=None,
-	to_date=None,
-	timespan=None,
-	time_interval=None,
-	heatmap_year=None,
-):
-	if chart_name:
-		chart = frappe.get_doc("Dashboard Chart", chart_name)
-	else:
-		chart = frappe._dict(frappe.parse_json(chart))
-
-	filters = {}
-	current_pledges = {}
-
-	if filters:
-		filters = frappe.parse_json(filters)[0]
-
-	conditions = ""
-	labels = []
-	values = []
-
-	if filters.get("company"):
-		conditions = "AND company = %(company)s"
-
-	loan_security_details = get_loan_security_details()
-
-	unpledges = frappe._dict(
-		frappe.db.sql(
-			"""
-		SELECT u.loan_security, sum(u.qty) as qty
-		FROM `tabLoan Security Unpledge` up, `tabUnpledge` u
-		WHERE u.parent = up.name
-		AND up.status = 'Approved'
-		{conditions}
-		GROUP BY u.loan_security
-	""".format(
-				conditions=conditions
-			),
-			filters,
-			as_list=1,
-		)
-	)
-
-	pledges = frappe._dict(
-		frappe.db.sql(
-			"""
-		SELECT p.loan_security, sum(p.qty) as qty
-		FROM `tabLoan Security Pledge` lp, `tabPledge`p
-		WHERE p.parent = lp.name
-		AND lp.status = 'Pledged'
-		{conditions}
-		GROUP BY p.loan_security
-	""".format(
-				conditions=conditions
-			),
-			filters,
-			as_list=1,
-		)
-	)
-
-	for security, qty in pledges.items():
-		current_pledges.setdefault(security, qty)
-		current_pledges[security] -= unpledges.get(security, 0.0)
-
-	sorted_pledges = dict(sorted(current_pledges.items(), key=lambda item: item[1], reverse=True))
-
-	count = 0
-	for security, qty in sorted_pledges.items():
-		values.append(qty * loan_security_details.get(security, {}).get("latest_price", 0))
-		labels.append(security)
-		count += 1
-
-		## Just need top 10 securities
-		if count == 10:
-			break
-
-	return {
-		"labels": labels,
-		"datasets": [{"name": "Top 10 Securities", "chartType": "bar", "values": values}],
-	}
diff --git a/erpnext/loan_management/doctype/__init__.py b/erpnext/loan_management/doctype/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/doctype/__init__.py
+++ /dev/null
diff --git a/erpnext/loan_management/doctype/loan/__init__.py b/erpnext/loan_management/doctype/loan/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/doctype/loan/__init__.py
+++ /dev/null
diff --git a/erpnext/loan_management/doctype/loan/loan.js b/erpnext/loan_management/doctype/loan/loan.js
deleted file mode 100644
index 20e2b0b..0000000
--- a/erpnext/loan_management/doctype/loan/loan.js
+++ /dev/null
@@ -1,281 +0,0 @@
-// 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') },
-			'Loan Write Off': function() { frm.trigger('make_loan_write_off_entry') }
-		}
-	},
-	onload: function (frm) {
-		// Ignore loan security pledge on cancel of loan
-		frm.ignore_doctypes_on_cancel_all = ["Loan Security Pledge"];
-
-		frm.set_query("loan_application", function () {
-			return {
-				"filters": {
-					"applicant": frm.doc.applicant,
-					"docstatus": 1,
-					"status": "Approved"
-				}
-			};
-		});
-
-		frm.set_query("loan_type", function () {
-			return {
-				"filters": {
-					"docstatus": 1,
-					"company": frm.doc.company
-				}
-			};
-		});
-
-		$.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", "disbursement_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.repayment_schedule_type == "Pro-rated calendar months") {
-			frm.set_df_property("repayment_start_date", "label", "Interest Calculation Start Date");
-		}
-
-		if (frm.doc.docstatus == 1) {
-			if (["Disbursed", "Partially Disbursed"].includes(frm.doc.status) && (!frm.doc.repay_from_salary)) {
-				frm.add_custom_button(__('Request Loan Closure'), function() {
-					frm.trigger("request_loan_closure");
-				},__('Status'));
-
-				frm.add_custom_button(__('Loan Repayment'), function() {
-					frm.trigger("make_repayment_entry");
-				},__('Create'));
-			}
-
-			if (["Sanctioned", "Partially Disbursed"].includes(frm.doc.status)) {
-				frm.add_custom_button(__('Loan Disbursement'), function() {
-					frm.trigger("make_loan_disbursement");
-				},__('Create'));
-			}
-
-			if (frm.doc.status == "Loan Closure Requested") {
-				frm.add_custom_button(__('Loan Security Unpledge'), function() {
-					frm.trigger("create_loan_security_unpledge");
-				},__('Create'));
-			}
-
-			if (["Loan Closure Requested", "Disbursed", "Partially Disbursed"].includes(frm.doc.status)) {
-				frm.add_custom_button(__('Loan Write Off'), function() {
-					frm.trigger("make_loan_write_off_entry");
-				},__('Create'));
-
-				frm.add_custom_button(__('Loan Refund'), function() {
-					frm.trigger("make_loan_refund");
-				},__('Create'));
-			}
-
-			if (frm.doc.status == "Loan Closure Requested" && frm.doc.is_term_loan && !frm.doc.is_secured_loan) {
-				frm.add_custom_button(__('Close Loan'), function() {
-					frm.trigger("close_unsecured_term_loan");
-				},__('Status'));
-			}
-		}
-		frm.trigger("toggle_fields");
-	},
-
-	repayment_schedule_type: function(frm) {
-		if (frm.doc.repayment_schedule_type == "Pro-rated calendar months") {
-			frm.set_df_property("repayment_start_date", "label", "Interest Calculation Start Date");
-		} else {
-			frm.set_df_property("repayment_start_date", "label", "Repayment Start Date");
-		}
-	},
-
-	loan_type: function(frm) {
-		frm.toggle_reqd("repayment_method", frm.doc.is_term_loan);
-		frm.toggle_display("repayment_method", frm.doc.is_term_loan);
-		frm.toggle_display("repayment_periods", frm.doc.is_term_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,
-				"pending_amount": frm.doc.loan_amount - frm.doc.disbursed_amount > 0 ?
-					frm.doc.loan_amount - frm.doc.disbursed_amount : 0,
-				"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);
-			}
-		})
-	},
-
-	make_loan_write_off_entry: function(frm) {
-		frappe.call({
-			args: {
-				"loan": frm.doc.name,
-				"company": frm.doc.company,
-				"as_dict": 1
-			},
-			method: "erpnext.loan_management.doctype.loan.loan.make_loan_write_off",
-			callback: function (r) {
-				if (r.message)
-					var doc = frappe.model.sync(r.message)[0];
-				frappe.set_route("Form", doc.doctype, doc.name);
-			}
-		})
-	},
-
-	make_loan_refund: function(frm) {
-		frappe.call({
-			args: {
-				"loan": frm.doc.name
-			},
-			method: "erpnext.loan_management.doctype.loan.loan.make_refund_jv",
-			callback: function (r) {
-				if (r.message) {
-					let doc = frappe.model.sync(r.message)[0];
-					frappe.set_route("Form", doc.doctype, doc.name);
-				}
-			}
-		})
-	},
-
-	close_unsecured_term_loan: function(frm) {
-		frappe.call({
-			args: {
-				"loan": frm.doc.name
-			},
-			method: "erpnext.loan_management.doctype.loan.loan.close_unsecured_term_loan",
-			callback: function () {
-				frm.refresh();
-			}
-		})
-	},
-
-	request_loan_closure: function(frm) {
-		frappe.confirm(__("Do you really want to close this loan"),
-			function() {
-				frappe.call({
-					args: {
-						'loan': frm.doc.name
-					},
-					method: "erpnext.loan_management.doctype.loan.loan.request_loan_closure",
-					callback: function() {
-						frm.reload_doc();
-					}
-				});
-			}
-		);
-	},
-
-	create_loan_security_unpledge: function(frm) {
-		frappe.call({
-			method: "erpnext.loan_management.doctype.loan.loan.unpledge_security",
-			args : {
-				"loan": frm.doc.name,
-				"as_dict": 1
-			},
-			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/loan_management/doctype/loan/loan.json b/erpnext/loan_management/doctype/loan/loan.json
deleted file mode 100644
index dc8b03e..0000000
--- a/erpnext/loan_management/doctype/loan/loan.json
+++ /dev/null
@@ -1,452 +0,0 @@
-{
- "actions": [],
- "allow_import": 1,
- "autoname": "ACC-LOAN-.YYYY.-.#####",
- "creation": "2022-01-25 10:30:02.294967",
- "doctype": "DocType",
- "document_type": "Document",
- "editable_grid": 1,
- "engine": "InnoDB",
- "field_order": [
-  "applicant_type",
-  "applicant",
-  "applicant_name",
-  "loan_application",
-  "column_break_3",
-  "company",
-  "posting_date",
-  "status",
-  "section_break_8",
-  "loan_type",
-  "repayment_schedule_type",
-  "loan_amount",
-  "rate_of_interest",
-  "is_secured_loan",
-  "disbursement_date",
-  "closure_date",
-  "disbursed_amount",
-  "column_break_11",
-  "maximum_loan_amount",
-  "repayment_method",
-  "repayment_periods",
-  "monthly_repayment_amount",
-  "repayment_start_date",
-  "is_term_loan",
-  "accounting_dimensions_section",
-  "cost_center",
-  "account_info",
-  "mode_of_payment",
-  "disbursement_account",
-  "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",
-  "written_off_amount",
-  "refund_amount",
-  "debit_adjustment_amount",
-  "credit_adjustment_amount",
-  "is_npa",
-  "column_break_19",
-  "total_interest_payable",
-  "total_amount_paid",
-  "amended_from"
- ],
- "fields": [
-  {
-   "fieldname": "applicant_type",
-   "fieldtype": "Select",
-   "label": "Applicant Type",
-   "options": "Employee\nMember\nCustomer",
-   "reqd": 1
-  },
-  {
-   "fieldname": "applicant",
-   "fieldtype": "Dynamic Link",
-   "in_standard_filter": 1,
-   "label": "Applicant",
-   "options": "applicant_type",
-   "reqd": 1
-  },
-  {
-   "fieldname": "applicant_name",
-   "fieldtype": "Data",
-   "in_global_search": 1,
-   "label": "Applicant Name",
-   "read_only": 1
-  },
-  {
-   "fieldname": "loan_application",
-   "fieldtype": "Link",
-   "label": "Loan Application",
-   "no_copy": 1,
-   "options": "Loan Application"
-  },
-  {
-   "fieldname": "loan_type",
-   "fieldtype": "Link",
-   "in_list_view": 1,
-   "in_standard_filter": 1,
-   "label": "Loan Type",
-   "options": "Loan Type",
-   "reqd": 1
-  },
-  {
-   "fieldname": "column_break_3",
-   "fieldtype": "Column Break"
-  },
-  {
-   "default": "Today",
-   "fieldname": "posting_date",
-   "fieldtype": "Date",
-   "in_list_view": 1,
-   "label": "Posting Date",
-   "no_copy": 1,
-   "reqd": 1
-  },
-  {
-   "fieldname": "company",
-   "fieldtype": "Link",
-   "in_standard_filter": 1,
-   "label": "Company",
-   "options": "Company",
-   "remember_last_selected_value": 1,
-   "reqd": 1
-  },
-  {
-   "default": "Sanctioned",
-   "fieldname": "status",
-   "fieldtype": "Select",
-   "in_standard_filter": 1,
-   "label": "Status",
-   "no_copy": 1,
-   "options": "Sanctioned\nPartially Disbursed\nDisbursed\nLoan Closure Requested\nClosed",
-   "read_only": 1
-  },
-  {
-   "fieldname": "section_break_8",
-   "fieldtype": "Section Break",
-   "label": "Loan Details"
-  },
-  {
-   "fieldname": "loan_amount",
-   "fieldtype": "Currency",
-   "label": "Loan Amount",
-   "non_negative": 1,
-   "options": "Company:company:default_currency"
-  },
-  {
-   "fetch_from": "loan_type.rate_of_interest",
-   "fieldname": "rate_of_interest",
-   "fieldtype": "Percent",
-   "label": "Rate of Interest (%) / Year",
-   "read_only": 1,
-   "reqd": 1
-  },
-  {
-   "depends_on": "eval:doc.status==\"Disbursed\"",
-   "fieldname": "disbursement_date",
-   "fieldtype": "Date",
-   "label": "Disbursement Date",
-   "no_copy": 1
-  },
-  {
-   "depends_on": "is_term_loan",
-   "fieldname": "repayment_start_date",
-   "fieldtype": "Date",
-   "label": "Repayment Start Date",
-   "mandatory_depends_on": "is_term_loan"
-  },
-  {
-   "fieldname": "column_break_11",
-   "fieldtype": "Column Break"
-  },
-  {
-   "depends_on": "is_term_loan",
-   "fieldname": "repayment_method",
-   "fieldtype": "Select",
-   "label": "Repayment Method",
-   "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",
-   "fetch_from": "loan_application.repayment_amount",
-   "fetch_if_empty": 1,
-   "fieldname": "monthly_repayment_amount",
-   "fieldtype": "Currency",
-   "label": "Monthly Repayment Amount",
-   "options": "Company:company:default_currency"
-  },
-  {
-   "collapsible": 1,
-   "fieldname": "account_info",
-   "fieldtype": "Section Break",
-   "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
-  },
-  {
-   "fieldname": "column_break_9",
-   "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"
-  },
-  {
-   "allow_on_submit": 1,
-   "depends_on": "eval:doc.is_term_loan == 1",
-   "fieldname": "repayment_schedule",
-   "fieldtype": "Table",
-   "label": "Repayment Schedule",
-   "no_copy": 1,
-   "options": "Repayment Schedule",
-   "read_only": 1
-  },
-  {
-   "fieldname": "section_break_17",
-   "fieldtype": "Section Break",
-   "label": "Totals"
-  },
-  {
-   "default": "0",
-   "fieldname": "total_payment",
-   "fieldtype": "Currency",
-   "label": "Total Payable Amount",
-   "no_copy": 1,
-   "options": "Company:company:default_currency",
-   "read_only": 1
-  },
-  {
-   "fieldname": "column_break_19",
-   "fieldtype": "Column Break"
-  },
-  {
-   "default": "0",
-   "depends_on": "is_term_loan",
-   "fieldname": "total_interest_payable",
-   "fieldtype": "Currency",
-   "label": "Total Interest Payable",
-   "no_copy": 1,
-   "options": "Company:company:default_currency",
-   "read_only": 1
-  },
-  {
-   "allow_on_submit": 1,
-   "fieldname": "total_amount_paid",
-   "fieldtype": "Currency",
-   "label": "Total Amount Paid",
-   "no_copy": 1,
-   "options": "Company:company:default_currency",
-   "read_only": 1
-  },
-  {
-   "fieldname": "amended_from",
-   "fieldtype": "Link",
-   "label": "Amended From",
-   "no_copy": 1,
-   "options": "Loan",
-   "print_hide": 1,
-   "read_only": 1
-  },
-  {
-   "default": "0",
-   "fieldname": "is_secured_loan",
-   "fieldtype": "Check",
-   "label": "Is Secured Loan"
-  },
-  {
-   "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",
-   "no_copy": 1,
-   "options": "Company:company:default_currency",
-   "read_only": 1
-  },
-  {
-   "fieldname": "disbursed_amount",
-   "fieldtype": "Currency",
-   "label": "Disbursed Amount",
-   "no_copy": 1,
-   "options": "Company:company:default_currency",
-   "read_only": 1
-  },
-  {
-   "depends_on": "eval:doc.is_secured_loan",
-   "fieldname": "maximum_loan_amount",
-   "fieldtype": "Currency",
-   "label": "Maximum Loan Amount",
-   "no_copy": 1,
-   "options": "Company:company:default_currency",
-   "read_only": 1
-  },
-  {
-   "fieldname": "written_off_amount",
-   "fieldtype": "Currency",
-   "label": "Written Off Amount",
-   "no_copy": 1,
-   "options": "Company:company:default_currency",
-   "read_only": 1
-  },
-  {
-   "fieldname": "closure_date",
-   "fieldtype": "Date",
-   "label": "Closure Date",
-   "read_only": 1
-  },
-  {
-   "fetch_from": "loan_type.disbursement_account",
-   "fieldname": "disbursement_account",
-   "fieldtype": "Link",
-   "label": "Disbursement Account",
-   "options": "Account",
-   "read_only": 1,
-   "reqd": 1
-  },
-  {
-   "fieldname": "accounting_dimensions_section",
-   "fieldtype": "Section Break",
-   "label": "Accounting Dimensions"
-  },
-  {
-   "fieldname": "cost_center",
-   "fieldtype": "Link",
-   "label": "Cost Center",
-   "options": "Cost Center"
-  },
-  {
-   "fieldname": "refund_amount",
-   "fieldtype": "Currency",
-   "label": "Refund amount",
-   "no_copy": 1,
-   "options": "Company:company:default_currency",
-   "read_only": 1
-  },
-  {
-   "fieldname": "credit_adjustment_amount",
-   "fieldtype": "Currency",
-   "label": "Credit Adjustment Amount",
-   "options": "Company:company:default_currency"
-  },
-  {
-   "fieldname": "debit_adjustment_amount",
-   "fieldtype": "Currency",
-   "label": "Debit Adjustment Amount",
-   "options": "Company:company:default_currency"
-  },
-  {
-   "default": "0",
-   "description": "Mark Loan as a Nonperforming asset",
-   "fieldname": "is_npa",
-   "fieldtype": "Check",
-   "label": "Is NPA"
-  },
-  {
-   "depends_on": "is_term_loan",
-   "fetch_from": "loan_type.repayment_schedule_type",
-   "fieldname": "repayment_schedule_type",
-   "fieldtype": "Data",
-   "label": "Repayment Schedule Type",
-   "read_only": 1
-  }
- ],
- "index_web_pages_for_search": 1,
- "is_submittable": 1,
- "links": [],
- "modified": "2022-09-30 10:36:47.902903",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Loan",
- "naming_rule": "Expression (old style)",
- "owner": "Administrator",
- "permissions": [
-  {
-   "amend": 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
-  },
-  {
-   "read": 1,
-   "role": "Employee"
-  }
- ],
- "search_fields": "posting_date",
- "sort_field": "creation",
- "sort_order": "DESC",
- "states": [],
- "track_changes": 1
-}
\ No newline at end of file
diff --git a/erpnext/loan_management/doctype/loan/loan.py b/erpnext/loan_management/doctype/loan/loan.py
deleted file mode 100644
index 0c9c97f..0000000
--- a/erpnext/loan_management/doctype/loan/loan.py
+++ /dev/null
@@ -1,611 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-
-import json
-import math
-
-import frappe
-from frappe import _
-from frappe.utils import (
-	add_days,
-	add_months,
-	date_diff,
-	flt,
-	get_last_day,
-	getdate,
-	now_datetime,
-	nowdate,
-)
-
-import erpnext
-from erpnext.accounts.doctype.journal_entry.journal_entry import get_payment_entry
-from erpnext.controllers.accounts_controller import AccountsController
-from erpnext.loan_management.doctype.loan_repayment.loan_repayment import calculate_amounts
-from erpnext.loan_management.doctype.loan_security_unpledge.loan_security_unpledge import (
-	get_pledged_security_qty,
-)
-
-
-class Loan(AccountsController):
-	def validate(self):
-		self.set_loan_amount()
-		self.validate_loan_amount()
-		self.set_missing_fields()
-		self.validate_cost_center()
-		self.validate_accounts()
-		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 validate_cost_center(self):
-		if not self.cost_center and self.rate_of_interest != 0.0:
-			self.cost_center = frappe.db.get_value("Company", self.company, "cost_center")
-
-			if not self.cost_center:
-				frappe.throw(_("Cost center is mandatory for loans having rate of interest greater than 0"))
-
-	def on_submit(self):
-		self.link_loan_security_pledge()
-		# Interest accrual for backdated term loans
-		self.accrue_loan_interest()
-
-	def on_cancel(self):
-		self.unlink_loan_security_pledge()
-		self.ignore_linked_doctypes = ["GL Entry", "Payment Ledger Entry"]
-
-	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.loan_amount, self.rate_of_interest, self.repayment_periods
-			)
-
-	def check_sanctioned_amount_limit(self):
-		sanctioned_amount_limit = get_sanctioned_amount_limit(
-			self.applicant_type, self.applicant, self.company
-		)
-		if sanctioned_amount_limit:
-			total_loan_amount = get_total_loan_amount(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"))
-
-		schedule_type_details = frappe.db.get_value(
-			"Loan Type", self.loan_type, ["repayment_schedule_type", "repayment_date_on"], as_dict=1
-		)
-
-		self.repayment_schedule = []
-		payment_date = self.repayment_start_date
-		balance_amount = self.loan_amount
-
-		while balance_amount > 0:
-			interest_amount, principal_amount, balance_amount, total_payment = self.get_amounts(
-				payment_date,
-				balance_amount,
-				schedule_type_details.repayment_schedule_type,
-				schedule_type_details.repayment_date_on,
-			)
-
-			if schedule_type_details.repayment_schedule_type == "Pro-rated calendar months":
-				next_payment_date = get_last_day(payment_date)
-				if schedule_type_details.repayment_date_on == "Start of the next month":
-					next_payment_date = add_days(next_payment_date, 1)
-
-				payment_date = next_payment_date
-
-			self.add_repayment_schedule_row(
-				payment_date, principal_amount, interest_amount, total_payment, balance_amount
-			)
-
-			if (
-				schedule_type_details.repayment_schedule_type == "Monthly as per repayment start date"
-				or schedule_type_details.repayment_date_on == "End of the current month"
-			):
-				next_payment_date = add_single_month(payment_date)
-				payment_date = next_payment_date
-
-	def get_amounts(self, payment_date, balance_amount, schedule_type, repayment_date_on):
-		if schedule_type == "Monthly as per repayment start date":
-			days = 1
-			months = 12
-		else:
-			expected_payment_date = get_last_day(payment_date)
-			if repayment_date_on == "Start of the next month":
-				expected_payment_date = add_days(expected_payment_date, 1)
-
-			if expected_payment_date == payment_date:
-				# using 30 days for calculating interest for all full months
-				days = 30
-				months = 365
-			else:
-				days = date_diff(get_last_day(payment_date), payment_date)
-				months = 365
-
-		interest_amount = flt(balance_amount * flt(self.rate_of_interest) * days / (months * 100))
-		principal_amount = self.monthly_repayment_amount - interest_amount
-		balance_amount = flt(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
-
-		return interest_amount, principal_amount, balance_amount, total_payment
-
-	def add_repayment_schedule_row(
-		self, payment_date, principal_amount, interest_amount, total_payment, balance_loan_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_loan_amount,
-			},
-		)
-
-	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 self.loan_application and not self.loan_amount:
-			self.loan_amount = frappe.db.get_value("Loan Application", self.loan_application, "loan_amount")
-
-	def validate_loan_amount(self):
-		if self.maximum_loan_amount and self.loan_amount > self.maximum_loan_amount:
-			msg = _("Loan amount cannot be greater than {0}").format(self.maximum_loan_amount)
-			frappe.throw(msg)
-
-		if not self.loan_amount:
-			frappe.throw(_("Loan amount is mandatory"))
-
-	def link_loan_security_pledge(self):
-		if self.is_secured_loan and self.loan_application:
-			maximum_loan_value = frappe.db.get_value(
-				"Loan Security Pledge",
-				{"loan_application": self.loan_application, "status": "Requested"},
-				"sum(maximum_loan_value)",
-			)
-
-			if maximum_loan_value:
-				frappe.db.sql(
-					"""
-					UPDATE `tabLoan Security Pledge`
-					SET loan = %s, pledge_time = %s, status = 'Pledged'
-					WHERE status = 'Requested' and loan_application = %s
-				""",
-					(self.name, now_datetime(), self.loan_application),
-				)
-
-				self.db_set("maximum_loan_amount", maximum_loan_value)
-
-	def accrue_loan_interest(self):
-		from erpnext.loan_management.doctype.process_loan_interest_accrual.process_loan_interest_accrual import (
-			process_loan_interest_accrual_for_term_loans,
-		)
-
-		if getdate(self.repayment_start_date) < getdate() and self.is_term_loan:
-			process_loan_interest_accrual_for_term_loans(
-				posting_date=getdate(), loan_type=self.loan_type, loan=self.name
-			)
-
-	def unlink_loan_security_pledge(self):
-		pledges = frappe.get_all("Loan Security Pledge", fields=["name"], filters={"loan": self.name})
-		pledge_list = [d.name for d in pledges]
-		if pledge_list:
-			frappe.db.sql(
-				"""UPDATE `tabLoan Security Pledge` SET
-				loan = '', status = 'Unpledged'
-				where name in (%s) """
-				% (", ".join(["%s"] * len(pledge_list))),
-				tuple(pledge_list),
-			)  # nosec
-
-
-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):
-	pending_amount = 0
-	loan_details = frappe.db.get_all(
-		"Loan",
-		filters={
-			"applicant_type": applicant_type,
-			"company": company,
-			"applicant": applicant,
-			"docstatus": 1,
-			"status": ("!=", "Closed"),
-		},
-		fields=[
-			"status",
-			"total_payment",
-			"disbursed_amount",
-			"total_interest_payable",
-			"total_principal_paid",
-			"written_off_amount",
-		],
-	)
-
-	interest_amount = flt(
-		frappe.db.get_value(
-			"Loan Interest Accrual",
-			{"applicant_type": applicant_type, "company": company, "applicant": applicant, "docstatus": 1},
-			"sum(interest_amount - paid_interest_amount)",
-		)
-	)
-
-	for loan in loan_details:
-		if loan.status in ("Disbursed", "Loan Closure Requested"):
-			pending_amount += (
-				flt(loan.total_payment)
-				- flt(loan.total_interest_payable)
-				- flt(loan.total_principal_paid)
-				- flt(loan.written_off_amount)
-			)
-		elif loan.status == "Partially Disbursed":
-			pending_amount += (
-				flt(loan.disbursed_amount)
-				- flt(loan.total_interest_payable)
-				- flt(loan.total_principal_paid)
-				- flt(loan.written_off_amount)
-			)
-		elif loan.status == "Sanctioned":
-			pending_amount += flt(loan.total_payment)
-
-	pending_amount += interest_amount
-
-	return pending_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(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 request_loan_closure(loan, posting_date=None):
-	if not posting_date:
-		posting_date = getdate()
-
-	amounts = calculate_amounts(loan, posting_date)
-	pending_amount = (
-		amounts["pending_principal_amount"]
-		+ amounts["unaccrued_interest"]
-		+ amounts["interest_amount"]
-		+ amounts["penalty_amount"]
-	)
-
-	loan_type = frappe.get_value("Loan", loan, "loan_type")
-	write_off_limit = frappe.get_value("Loan Type", loan_type, "write_off_amount")
-
-	if pending_amount and abs(pending_amount) < write_off_limit:
-		# Auto create loan write off and update status as loan closure requested
-		write_off = make_loan_write_off(loan)
-		write_off.submit()
-	elif pending_amount > 0:
-		frappe.throw(_("Cannot close loan as there is an outstanding of {0}").format(pending_amount))
-
-	frappe.db.set_value("Loan", loan, "status", "Loan Closure Requested")
-
-
-@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 close_unsecured_term_loan(loan):
-	loan_details = frappe.db.get_value(
-		"Loan", {"name": loan}, ["status", "is_term_loan", "is_secured_loan"], as_dict=1
-	)
-
-	if (
-		loan_details.status == "Loan Closure Requested"
-		and loan_details.is_term_loan
-		and not loan_details.is_secured_loan
-	):
-		frappe.db.set_value("Loan", loan, "status", "Closed")
-	else:
-		frappe.throw(_("Cannot close this loan until full repayment"))
-
-
-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, pending_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()
-	disbursement_entry.posting_date = nowdate()
-
-	disbursement_entry.disbursed_amount = pending_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 make_loan_write_off(loan, company=None, posting_date=None, amount=0, as_dict=0):
-	if not company:
-		company = frappe.get_value("Loan", loan, "company")
-
-	if not posting_date:
-		posting_date = getdate()
-
-	amounts = calculate_amounts(loan, posting_date)
-	pending_amount = amounts["pending_principal_amount"]
-
-	if amount and (amount > pending_amount):
-		frappe.throw(_("Write Off amount cannot be greater than pending loan amount"))
-
-	if not amount:
-		amount = pending_amount
-
-	# get default write off account from company master
-	write_off_account = frappe.get_value("Company", company, "write_off_account")
-
-	write_off = frappe.new_doc("Loan Write Off")
-	write_off.loan = loan
-	write_off.posting_date = posting_date
-	write_off.write_off_account = write_off_account
-	write_off.write_off_amount = amount
-	write_off.save()
-
-	if as_dict:
-		return write_off.as_dict()
-	else:
-		return write_off
-
-
-@frappe.whitelist()
-def unpledge_security(
-	loan=None, loan_security_pledge=None, security_map=None, as_dict=0, save=0, submit=0, approve=0
-):
-	# if no security_map is passed it will be considered as full unpledge
-	if security_map and isinstance(security_map, str):
-		security_map = json.loads(security_map)
-
-	if loan:
-		pledge_qty_map = security_map or get_pledged_security_qty(loan)
-		loan_doc = frappe.get_doc("Loan", loan)
-		unpledge_request = create_loan_security_unpledge(
-			pledge_qty_map, loan_doc.name, loan_doc.company, loan_doc.applicant_type, loan_doc.applicant
-		)
-	# will unpledge qty based on loan security pledge
-	elif loan_security_pledge:
-		security_map = {}
-		pledge_doc = frappe.get_doc("Loan Security Pledge", loan_security_pledge)
-		for security in pledge_doc.securities:
-			security_map.setdefault(security.loan_security, security.qty)
-
-		unpledge_request = create_loan_security_unpledge(
-			security_map,
-			pledge_doc.loan,
-			pledge_doc.company,
-			pledge_doc.applicant_type,
-			pledge_doc.applicant,
-		)
-
-	if save:
-		unpledge_request.save()
-
-	if submit:
-		unpledge_request.submit()
-
-	if approve:
-		if unpledge_request.docstatus == 1:
-			unpledge_request.status = "Approved"
-			unpledge_request.save()
-		else:
-			frappe.throw(_("Only submittted unpledge requests can be approved"))
-
-	if as_dict:
-		return unpledge_request
-	else:
-		return unpledge_request
-
-
-def create_loan_security_unpledge(unpledge_map, loan, company, applicant_type, applicant):
-	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 security, qty in unpledge_map.items():
-		if qty:
-			unpledge_request.append("securities", {"loan_security": security, "qty": qty})
-
-	return unpledge_request
-
-
-@frappe.whitelist()
-def get_shortfall_applicants():
-	loans = frappe.get_all("Loan Security Shortfall", {"status": "Pending"}, pluck="loan")
-	applicants = set(frappe.get_all("Loan", {"name": ("in", loans)}, pluck="name"))
-
-	return {"value": len(applicants), "fieldtype": "Int"}
-
-
-def add_single_month(date):
-	if getdate(date) == get_last_day(date):
-		return get_last_day(add_months(date, 1))
-	else:
-		return add_months(date, 1)
-
-
-@frappe.whitelist()
-def make_refund_jv(loan, amount=0, reference_number=None, reference_date=None, submit=0):
-	loan_details = frappe.db.get_value(
-		"Loan",
-		loan,
-		[
-			"applicant_type",
-			"applicant",
-			"loan_account",
-			"payment_account",
-			"posting_date",
-			"company",
-			"name",
-			"total_payment",
-			"total_principal_paid",
-		],
-		as_dict=1,
-	)
-
-	loan_details.doctype = "Loan"
-	loan_details[loan_details.applicant_type.lower()] = loan_details.applicant
-
-	if not amount:
-		amount = flt(loan_details.total_principal_paid - loan_details.total_payment)
-
-		if amount < 0:
-			frappe.throw(_("No excess amount pending for refund"))
-
-	refund_jv = get_payment_entry(
-		loan_details,
-		{
-			"party_type": loan_details.applicant_type,
-			"party_account": loan_details.loan_account,
-			"amount_field_party": "debit_in_account_currency",
-			"amount_field_bank": "credit_in_account_currency",
-			"amount": amount,
-			"bank_account": loan_details.payment_account,
-		},
-	)
-
-	if reference_number:
-		refund_jv.cheque_no = reference_number
-
-	if reference_date:
-		refund_jv.cheque_date = reference_date
-
-	if submit:
-		refund_jv.submit()
-
-	return refund_jv
diff --git a/erpnext/loan_management/doctype/loan/loan_dashboard.py b/erpnext/loan_management/doctype/loan/loan_dashboard.py
deleted file mode 100644
index 971d545..0000000
--- a/erpnext/loan_management/doctype/loan/loan_dashboard.py
+++ /dev/null
@@ -1,19 +0,0 @@
-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 Write Off",
-					"Loan Security Unpledge",
-				]
-			},
-		],
-	}
diff --git a/erpnext/loan_management/doctype/loan/loan_list.js b/erpnext/loan_management/doctype/loan/loan_list.js
deleted file mode 100644
index 6591b72..0000000
--- a/erpnext/loan_management/doctype/loan/loan_list.js
+++ /dev/null
@@ -1,16 +0,0 @@
-// Copyright (c) 2020, Frappe Technologies Pvt. Ltd. and Contributors
-// License: GNU General Public License v3. See license.txt
-
-frappe.listview_settings['Loan'] = {
-	get_indicator: function(doc) {
-		var status_color = {
-			"Draft": "red",
-			"Sanctioned": "blue",
-			"Disbursed": "orange",
-			"Partially Disbursed": "yellow",
-			"Loan Closure Requested": "green",
-			"Closed": "green"
-		};
-		return [__(doc.status), status_color[doc.status], "status,=,"+doc.status];
-	},
-};
diff --git a/erpnext/loan_management/doctype/loan/test_loan.py b/erpnext/loan_management/doctype/loan/test_loan.py
deleted file mode 100644
index 388e65d..0000000
--- a/erpnext/loan_management/doctype/loan/test_loan.py
+++ /dev/null
@@ -1,1433 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
-# See license.txt
-
-import unittest
-
-import frappe
-from frappe.utils import (
-	add_days,
-	add_months,
-	add_to_date,
-	date_diff,
-	flt,
-	format_date,
-	get_datetime,
-	nowdate,
-)
-
-from erpnext.loan_management.doctype.loan.loan import (
-	make_loan_write_off,
-	request_loan_closure,
-	unpledge_security,
-)
-from erpnext.loan_management.doctype.loan_application.loan_application import create_pledge
-from erpnext.loan_management.doctype.loan_disbursement.loan_disbursement import (
-	get_disbursal_amount,
-)
-from erpnext.loan_management.doctype.loan_interest_accrual.loan_interest_accrual import (
-	days_in_year,
-)
-from erpnext.loan_management.doctype.loan_repayment.loan_repayment import calculate_amounts
-from erpnext.loan_management.doctype.loan_security_unpledge.loan_security_unpledge import (
-	get_pledged_security_qty,
-)
-from erpnext.loan_management.doctype.process_loan_interest_accrual.process_loan_interest_accrual import (
-	process_loan_interest_accrual_for_demand_loans,
-	process_loan_interest_accrual_for_term_loans,
-)
-from erpnext.loan_management.doctype.process_loan_security_shortfall.process_loan_security_shortfall import (
-	create_process_loan_security_shortfall,
-)
-from erpnext.selling.doctype.customer.test_customer import get_customer_dict
-from erpnext.setup.doctype.employee.test_employee import make_employee
-
-
-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",
-			disbursement_account="Disbursement Account - _TC",
-			payment_account="Payment Account - _TC",
-			loan_account="Loan Account - _TC",
-			interest_income_account="Interest Income Account - _TC",
-			penalty_income_account="Penalty Income Account - _TC",
-			repayment_schedule_type="Monthly as per repayment start date",
-		)
-
-		create_loan_type(
-			"Term Loan Type 1",
-			12000,
-			7.5,
-			is_term_loan=1,
-			mode_of_payment="Cash",
-			disbursement_account="Disbursement Account - _TC",
-			payment_account="Payment Account - _TC",
-			loan_account="Loan Account - _TC",
-			interest_income_account="Interest Income Account - _TC",
-			penalty_income_account="Penalty Income Account - _TC",
-			repayment_schedule_type="Monthly as per repayment start date",
-		)
-
-		create_loan_type(
-			"Term Loan Type 2",
-			12000,
-			7.5,
-			is_term_loan=1,
-			mode_of_payment="Cash",
-			disbursement_account="Disbursement Account - _TC",
-			payment_account="Payment Account - _TC",
-			loan_account="Loan Account - _TC",
-			interest_income_account="Interest Income Account - _TC",
-			penalty_income_account="Penalty Income Account - _TC",
-			repayment_schedule_type="Pro-rated calendar months",
-			repayment_date_on="Start of the next month",
-		)
-
-		create_loan_type(
-			"Term Loan Type 3",
-			12000,
-			7.5,
-			is_term_loan=1,
-			mode_of_payment="Cash",
-			disbursement_account="Disbursement Account - _TC",
-			payment_account="Payment Account - _TC",
-			loan_account="Loan Account - _TC",
-			interest_income_account="Interest Income Account - _TC",
-			penalty_income_account="Penalty Income Account - _TC",
-			repayment_schedule_type="Pro-rated calendar months",
-			repayment_date_on="End of the current month",
-		)
-
-		create_loan_type(
-			"Stock Loan",
-			2000000,
-			13.5,
-			25,
-			1,
-			5,
-			"Cash",
-			"Disbursement Account - _TC",
-			"Payment Account - _TC",
-			"Loan Account - _TC",
-			"Interest Income Account - _TC",
-			"Penalty Income Account - _TC",
-			repayment_schedule_type="Monthly as per repayment start date",
-		)
-
-		create_loan_type(
-			"Demand Loan",
-			2000000,
-			13.5,
-			25,
-			0,
-			5,
-			"Cash",
-			"Disbursement Account - _TC",
-			"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)
-
-		if not frappe.db.exists("Customer", "_Test Loan Customer 1"):
-			frappe.get_doc(get_customer_dict("_Test Loan Customer 1")).insert(ignore_permissions=True)
-
-		self.applicant2 = frappe.db.get_value("Customer", {"name": "_Test Loan Customer"}, "name")
-		self.applicant3 = frappe.db.get_value("Customer", {"name": "_Test Loan Customer 1"}, "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.assertEqual(loan.monthly_repayment_amount, 15052)
-		self.assertEqual(flt(loan.total_interest_payable, 0), 21034)
-		self.assertEqual(flt(loan.total_payment, 0), 301034)
-
-		schedule = loan.repayment_schedule
-
-		self.assertEqual(len(schedule), 20)
-
-		for idx, principal_amount, interest_amount, balance_loan_amount in [
-			[3, 13369, 1683, 227080],
-			[19, 14941, 105, 0],
-			[17, 14740, 312, 29785],
-		]:
-			self.assertEqual(flt(schedule[idx].principal_amount, 0), principal_amount)
-			self.assertEqual(flt(schedule[idx].interest_amount, 0), interest_amount)
-			self.assertEqual(flt(schedule[idx].balance_loan_amount, 0), balance_loan_amount)
-
-		loan.repayment_method = "Repay Fixed Amount per Period"
-		loan.monthly_repayment_amount = 14000
-		loan.save()
-
-		self.assertEqual(len(loan.repayment_schedule), 22)
-		self.assertEqual(flt(loan.total_interest_payable, 0), 22712)
-		self.assertEqual(flt(loan.total_payment, 0), 302712)
-
-	def test_loan_with_security(self):
-
-		pledge = [
-			{
-				"loan_security": "Test Security 1",
-				"qty": 4000.00,
-			}
-		]
-
-		loan_application = create_loan_application(
-			"_Test Company", self.applicant2, "Stock Loan", pledge, "Repay Over Number of Periods", 12
-		)
-		create_pledge(loan_application)
-
-		loan = create_loan_with_security(
-			self.applicant2, "Stock Loan", "Repay Over Number of Periods", 12, loan_application
-		)
-		self.assertEqual(loan.loan_amount, 1000000)
-
-	def test_loan_disbursement(self):
-		pledge = [{"loan_security": "Test Security 1", "qty": 4000.00}]
-
-		loan_application = create_loan_application(
-			"_Test Company", self.applicant2, "Stock Loan", pledge, "Repay Over Number of Periods", 12
-		)
-
-		create_pledge(loan_application)
-
-		loan = create_loan_with_security(
-			self.applicant2, "Stock Loan", "Repay Over Number of Periods", 12, loan_application
-		)
-		self.assertEqual(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.assertEqual(loan.status, "Disbursed")
-		self.assertEqual(loan.disbursed_amount, 1000000)
-		self.assertTrue(gl_entries1)
-		self.assertTrue(gl_entries2)
-
-	def test_sanctioned_amount_limit(self):
-		# Clear loan docs before checking
-		frappe.db.sql("DELETE FROM `tabLoan` where applicant = '_Test Loan Customer 1'")
-		frappe.db.sql("DELETE FROM `tabLoan Application` where applicant = '_Test Loan Customer 1'")
-		frappe.db.sql("DELETE FROM `tabLoan Security Pledge` where applicant = '_Test Loan Customer 1'")
-
-		if not frappe.db.get_value(
-			"Sanctioned Loan Amount",
-			filters={
-				"applicant_type": "Customer",
-				"applicant": "_Test Loan Customer 1",
-				"company": "_Test Company",
-			},
-		):
-			frappe.get_doc(
-				{
-					"doctype": "Sanctioned Loan Amount",
-					"applicant_type": "Customer",
-					"applicant": "_Test Loan Customer 1",
-					"sanctioned_amount_limit": 1500000,
-					"company": "_Test Company",
-				}
-			).insert(ignore_permissions=True)
-
-		# Make First Loan
-		pledge = [{"loan_security": "Test Security 1", "qty": 4000.00}]
-
-		loan_application = create_loan_application(
-			"_Test Company", self.applicant3, "Demand Loan", pledge
-		)
-		create_pledge(loan_application)
-		loan = create_demand_loan(
-			self.applicant3, "Demand Loan", loan_application, posting_date="2019-10-01"
-		)
-		loan.submit()
-
-		# Make second loan greater than the sanctioned amount
-		loan_application = create_loan_application(
-			"_Test Company", self.applicant3, "Demand Loan", pledge, do_not_save=True
-		)
-		self.assertRaises(frappe.ValidationError, loan_application.save)
-
-	def test_regular_loan_repayment(self):
-		pledge = [{"loan_security": "Test Security 1", "qty": 4000.00}]
-
-		loan_application = create_loan_application(
-			"_Test Company", self.applicant2, "Demand Loan", pledge
-		)
-		create_pledge(loan_application)
-
-		loan = create_demand_loan(
-			self.applicant2, "Demand Loan", loan_application, posting_date="2019-10-01"
-		)
-		loan.submit()
-
-		self.assertEqual(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 = flt(
-			(loan.loan_amount * loan.rate_of_interest * no_of_days)
-			/ (days_in_year(get_datetime(first_date).year) * 100),
-			2,
-		)
-
-		make_loan_disbursement_entry(loan.name, loan.loan_amount, disbursement_date=first_date)
-
-		process_loan_interest_accrual_for_demand_loans(posting_date=last_date)
-
-		repayment_entry = create_repayment_entry(
-			loan.name, self.applicant2, add_days(last_date, 10), 111119
-		)
-		repayment_entry.save()
-		repayment_entry.submit()
-
-		penalty_amount = (accrued_interest_amount * 5 * 25) / 100
-		self.assertEqual(flt(repayment_entry.penalty_amount, 0), flt(penalty_amount, 0))
-
-		amounts = frappe.db.get_all(
-			"Loan Interest Accrual", {"loan": loan.name}, ["paid_interest_amount"]
-		)
-
-		loan.load_from_db()
-
-		total_interest_paid = amounts[0]["paid_interest_amount"] + amounts[1]["paid_interest_amount"]
-		self.assertEqual(amounts[1]["paid_interest_amount"], repayment_entry.interest_payable)
-		self.assertEqual(
-			flt(loan.total_principal_paid, 0),
-			flt(repayment_entry.amount_paid - penalty_amount - total_interest_paid, 0),
-		)
-
-		# Check Repayment Entry cancel
-		repayment_entry.load_from_db()
-		repayment_entry.cancel()
-
-		loan.load_from_db()
-		self.assertEqual(loan.total_principal_paid, 0)
-		self.assertEqual(loan.total_principal_paid, 0)
-
-	def test_loan_closure(self):
-		pledge = [{"loan_security": "Test Security 1", "qty": 4000.00}]
-
-		loan_application = create_loan_application(
-			"_Test Company", self.applicant2, "Demand Loan", pledge
-		)
-		create_pledge(loan_application)
-
-		loan = create_demand_loan(
-			self.applicant2, "Demand Loan", loan_application, posting_date="2019-10-01"
-		)
-		loan.submit()
-
-		self.assertEqual(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 5 since repayment is made 5 days late after due date
-		# and since payment type is loan closure so interest should be considered for those
-		# 5 days as well though in grace period
-		no_of_days += 5
-
-		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_for_demand_loans(posting_date=last_date)
-
-		repayment_entry = create_repayment_entry(
-			loan.name,
-			self.applicant2,
-			add_days(last_date, 5),
-			flt(loan.loan_amount + accrued_interest_amount),
-		)
-
-		repayment_entry.submit()
-
-		amount = frappe.db.get_value(
-			"Loan Interest Accrual", {"loan": loan.name}, ["sum(paid_interest_amount)"]
-		)
-
-		self.assertEqual(flt(amount, 0), flt(accrued_interest_amount, 0))
-		self.assertEqual(flt(repayment_entry.penalty_amount, 5), 0)
-
-		request_loan_closure(loan.name)
-		loan.load_from_db()
-		self.assertEqual(loan.status, "Loan Closure Requested")
-
-	def test_loan_repayment_for_term_loan(self):
-		pledges = [
-			{"loan_security": "Test Security 2", "qty": 4000.00},
-			{"loan_security": "Test Security 1", "qty": 2000.00},
-		]
-
-		loan_application = create_loan_application(
-			"_Test Company", self.applicant2, "Stock Loan", pledges, "Repay Over Number of Periods", 12
-		)
-		create_pledge(loan_application)
-
-		loan = create_loan_with_security(
-			self.applicant2,
-			"Stock Loan",
-			"Repay Over Number of Periods",
-			12,
-			loan_application,
-			posting_date=add_months(nowdate(), -1),
-		)
-
-		loan.submit()
-
-		make_loan_disbursement_entry(
-			loan.name, loan.loan_amount, disbursement_date=add_months(nowdate(), -1)
-		)
-
-		process_loan_interest_accrual_for_term_loans(posting_date=nowdate())
-
-		repayment_entry = create_repayment_entry(
-			loan.name, self.applicant2, add_days(nowdate(), 5), 89768.75
-		)
-
-		repayment_entry.submit()
-
-		amounts = frappe.db.get_value(
-			"Loan Interest Accrual", {"loan": loan.name}, ["paid_interest_amount", "paid_principal_amount"]
-		)
-
-		self.assertEqual(amounts[0], 11250.00)
-		self.assertEqual(amounts[1], 78303.00)
-
-	def test_repayment_schedule_update(self):
-		loan = create_loan(
-			self.applicant2,
-			"Personal Loan",
-			200000,
-			"Repay Over Number of Periods",
-			4,
-			applicant_type="Customer",
-			repayment_start_date="2021-04-30",
-			posting_date="2021-04-01",
-		)
-
-		loan.submit()
-
-		make_loan_disbursement_entry(loan.name, loan.loan_amount, disbursement_date="2021-04-01")
-
-		process_loan_interest_accrual_for_term_loans(posting_date="2021-05-01")
-		process_loan_interest_accrual_for_term_loans(posting_date="2021-06-01")
-
-		repayment_entry = create_repayment_entry(loan.name, self.applicant2, "2021-06-05", 120000)
-		repayment_entry.submit()
-
-		loan.load_from_db()
-
-		self.assertEqual(flt(loan.get("repayment_schedule")[3].principal_amount, 2), 41369.83)
-		self.assertEqual(flt(loan.get("repayment_schedule")[3].interest_amount, 2), 289.59)
-		self.assertEqual(flt(loan.get("repayment_schedule")[3].total_payment, 2), 41659.41)
-		self.assertEqual(flt(loan.get("repayment_schedule")[3].balance_loan_amount, 2), 0)
-
-	def test_security_shortfall(self):
-		pledges = [
-			{
-				"loan_security": "Test Security 2",
-				"qty": 8000.00,
-				"haircut": 50,
-			}
-		]
-
-		loan_application = create_loan_application(
-			"_Test Company", self.applicant2, "Stock Loan", pledges, "Repay Over Number of Periods", 12
-		)
-
-		create_pledge(loan_application)
-
-		loan = create_loan_with_security(
-			self.applicant2, "Stock Loan", "Repay Over Number of Periods", 12, loan_application
-		)
-		loan.submit()
-
-		make_loan_disbursement_entry(loan.name, loan.loan_amount)
-
-		frappe.db.sql(
-			"""UPDATE `tabLoan Security Price` SET loan_security_price = 100
-			where loan_security='Test Security 2'"""
-		)
-
-		create_process_loan_security_shortfall()
-		loan_security_shortfall = frappe.get_doc("Loan Security Shortfall", {"loan": loan.name})
-		self.assertTrue(loan_security_shortfall)
-
-		self.assertEqual(loan_security_shortfall.loan_amount, 1000000.00)
-		self.assertEqual(loan_security_shortfall.security_value, 800000.00)
-		self.assertEqual(loan_security_shortfall.shortfall_amount, 600000.00)
-
-		frappe.db.sql(
-			""" UPDATE `tabLoan Security Price` SET loan_security_price = 250
-			where loan_security='Test Security 2'"""
-		)
-
-		create_process_loan_security_shortfall()
-		loan_security_shortfall = frappe.get_doc("Loan Security Shortfall", {"loan": loan.name})
-		self.assertEqual(loan_security_shortfall.status, "Completed")
-		self.assertEqual(loan_security_shortfall.shortfall_amount, 0)
-
-	def test_loan_security_unpledge(self):
-		pledge = [{"loan_security": "Test Security 1", "qty": 4000.00}]
-
-		loan_application = create_loan_application(
-			"_Test Company", self.applicant2, "Demand Loan", pledge
-		)
-		create_pledge(loan_application)
-
-		loan = create_demand_loan(
-			self.applicant2, "Demand Loan", loan_application, posting_date="2019-10-01"
-		)
-		loan.submit()
-
-		self.assertEqual(loan.loan_amount, 1000000)
-
-		first_date = "2019-10-01"
-		last_date = "2019-10-30"
-
-		no_of_days = date_diff(last_date, first_date) + 1
-
-		no_of_days += 5
-
-		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_for_demand_loans(posting_date=last_date)
-
-		repayment_entry = create_repayment_entry(
-			loan.name,
-			self.applicant2,
-			add_days(last_date, 5),
-			flt(loan.loan_amount + accrued_interest_amount),
-		)
-		repayment_entry.submit()
-
-		request_loan_closure(loan.name)
-		loan.load_from_db()
-		self.assertEqual(loan.status, "Loan Closure Requested")
-
-		unpledge_request = unpledge_security(loan=loan.name, save=1)
-		unpledge_request.submit()
-		unpledge_request.status = "Approved"
-		unpledge_request.save()
-		loan.load_from_db()
-
-		pledged_qty = get_pledged_security_qty(loan.name)
-
-		self.assertEqual(loan.status, "Closed")
-		self.assertEqual(sum(pledged_qty.values()), 0)
-
-		amounts = amounts = calculate_amounts(loan.name, add_days(last_date, 5))
-		self.assertEqual(amounts["pending_principal_amount"], 0)
-		self.assertEqual(amounts["payable_principal_amount"], 0.0)
-		self.assertEqual(amounts["interest_amount"], 0)
-
-	def test_partial_loan_security_unpledge(self):
-		pledge = [
-			{"loan_security": "Test Security 1", "qty": 2000.00},
-			{"loan_security": "Test Security 2", "qty": 4000.00},
-		]
-
-		loan_application = create_loan_application(
-			"_Test Company", self.applicant2, "Demand Loan", pledge
-		)
-		create_pledge(loan_application)
-
-		loan = create_demand_loan(
-			self.applicant2, "Demand Loan", loan_application, posting_date="2019-10-01"
-		)
-		loan.submit()
-
-		self.assertEqual(loan.loan_amount, 1000000)
-
-		first_date = "2019-10-01"
-		last_date = "2019-10-30"
-
-		make_loan_disbursement_entry(loan.name, loan.loan_amount, disbursement_date=first_date)
-		process_loan_interest_accrual_for_demand_loans(posting_date=last_date)
-
-		repayment_entry = create_repayment_entry(
-			loan.name, self.applicant2, add_days(last_date, 5), 600000
-		)
-		repayment_entry.submit()
-
-		unpledge_map = {"Test Security 2": 2000}
-
-		unpledge_request = unpledge_security(loan=loan.name, security_map=unpledge_map, save=1)
-		unpledge_request.submit()
-		unpledge_request.status = "Approved"
-		unpledge_request.save()
-		unpledge_request.submit()
-		unpledge_request.load_from_db()
-		self.assertEqual(unpledge_request.docstatus, 1)
-
-	def test_sanctioned_loan_security_unpledge(self):
-		pledge = [{"loan_security": "Test Security 1", "qty": 4000.00}]
-
-		loan_application = create_loan_application(
-			"_Test Company", self.applicant2, "Demand Loan", pledge
-		)
-		create_pledge(loan_application)
-
-		loan = create_demand_loan(
-			self.applicant2, "Demand Loan", loan_application, posting_date="2019-10-01"
-		)
-		loan.submit()
-
-		self.assertEqual(loan.loan_amount, 1000000)
-
-		unpledge_map = {"Test Security 1": 4000}
-		unpledge_request = unpledge_security(loan=loan.name, security_map=unpledge_map, save=1)
-		unpledge_request.submit()
-		unpledge_request.status = "Approved"
-		unpledge_request.save()
-		unpledge_request.submit()
-
-	def test_disbursal_check_with_shortfall(self):
-		pledges = [
-			{
-				"loan_security": "Test Security 2",
-				"qty": 8000.00,
-				"haircut": 50,
-			}
-		]
-
-		loan_application = create_loan_application(
-			"_Test Company", self.applicant2, "Stock Loan", pledges, "Repay Over Number of Periods", 12
-		)
-
-		create_pledge(loan_application)
-
-		loan = create_loan_with_security(
-			self.applicant2, "Stock Loan", "Repay Over Number of Periods", 12, loan_application
-		)
-		loan.submit()
-
-		# Disbursing 7,00,000 from the allowed 10,00,000 according to security pledge
-		make_loan_disbursement_entry(loan.name, 700000)
-
-		frappe.db.sql(
-			"""UPDATE `tabLoan Security Price` SET loan_security_price = 100
-			where loan_security='Test Security 2'"""
-		)
-
-		create_process_loan_security_shortfall()
-		loan_security_shortfall = frappe.get_doc("Loan Security Shortfall", {"loan": loan.name})
-		self.assertTrue(loan_security_shortfall)
-
-		self.assertEqual(get_disbursal_amount(loan.name), 0)
-
-		frappe.db.sql(
-			""" UPDATE `tabLoan Security Price` SET loan_security_price = 250
-			where loan_security='Test Security 2'"""
-		)
-
-	def test_disbursal_check_without_shortfall(self):
-		pledges = [
-			{
-				"loan_security": "Test Security 2",
-				"qty": 8000.00,
-				"haircut": 50,
-			}
-		]
-
-		loan_application = create_loan_application(
-			"_Test Company", self.applicant2, "Stock Loan", pledges, "Repay Over Number of Periods", 12
-		)
-
-		create_pledge(loan_application)
-
-		loan = create_loan_with_security(
-			self.applicant2, "Stock Loan", "Repay Over Number of Periods", 12, loan_application
-		)
-		loan.submit()
-
-		# Disbursing 7,00,000 from the allowed 10,00,000 according to security pledge
-		make_loan_disbursement_entry(loan.name, 700000)
-
-		self.assertEqual(get_disbursal_amount(loan.name), 300000)
-
-	def test_pending_loan_amount_after_closure_request(self):
-		pledge = [{"loan_security": "Test Security 1", "qty": 4000.00}]
-
-		loan_application = create_loan_application(
-			"_Test Company", self.applicant2, "Demand Loan", pledge
-		)
-		create_pledge(loan_application)
-
-		loan = create_demand_loan(
-			self.applicant2, "Demand Loan", loan_application, posting_date="2019-10-01"
-		)
-		loan.submit()
-
-		self.assertEqual(loan.loan_amount, 1000000)
-
-		first_date = "2019-10-01"
-		last_date = "2019-10-30"
-
-		no_of_days = date_diff(last_date, first_date) + 1
-
-		no_of_days += 5
-
-		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_for_demand_loans(posting_date=last_date)
-
-		amounts = calculate_amounts(loan.name, add_days(last_date, 5))
-
-		repayment_entry = create_repayment_entry(
-			loan.name,
-			self.applicant2,
-			add_days(last_date, 5),
-			flt(loan.loan_amount + accrued_interest_amount),
-		)
-		repayment_entry.submit()
-
-		amounts = frappe.db.get_value(
-			"Loan Interest Accrual", {"loan": loan.name}, ["paid_interest_amount", "paid_principal_amount"]
-		)
-
-		request_loan_closure(loan.name)
-		loan.load_from_db()
-		self.assertEqual(loan.status, "Loan Closure Requested")
-
-		amounts = calculate_amounts(loan.name, add_days(last_date, 5))
-		self.assertEqual(amounts["pending_principal_amount"], 0.0)
-
-	def test_partial_unaccrued_interest_payment(self):
-		pledge = [{"loan_security": "Test Security 1", "qty": 4000.00}]
-
-		loan_application = create_loan_application(
-			"_Test Company", self.applicant2, "Demand Loan", pledge
-		)
-		create_pledge(loan_application)
-
-		loan = create_demand_loan(
-			self.applicant2, "Demand Loan", loan_application, posting_date="2019-10-01"
-		)
-		loan.submit()
-
-		self.assertEqual(loan.loan_amount, 1000000)
-
-		first_date = "2019-10-01"
-		last_date = "2019-10-30"
-
-		no_of_days = date_diff(last_date, first_date) + 1
-
-		no_of_days += 5.5
-
-		# get partial unaccrued interest amount
-		paid_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_for_demand_loans(posting_date=last_date)
-
-		amounts = calculate_amounts(loan.name, add_days(last_date, 5))
-
-		repayment_entry = create_repayment_entry(
-			loan.name, self.applicant2, add_days(last_date, 5), paid_amount
-		)
-
-		repayment_entry.submit()
-		repayment_entry.load_from_db()
-
-		partial_accrued_interest_amount = (loan.loan_amount * loan.rate_of_interest * 5) / (
-			days_in_year(get_datetime(first_date).year) * 100
-		)
-
-		interest_amount = flt(amounts["interest_amount"] + partial_accrued_interest_amount, 2)
-		self.assertEqual(flt(repayment_entry.total_interest_paid, 0), flt(interest_amount, 0))
-
-	def test_penalty(self):
-		loan, amounts = create_loan_scenario_for_penalty(self)
-		# 30 days - grace period
-		penalty_days = 30 - 4
-		penalty_applicable_amount = flt(amounts["interest_amount"] / 2)
-		penalty_amount = flt((((penalty_applicable_amount * 25) / 100) * penalty_days), 2)
-		process = process_loan_interest_accrual_for_demand_loans(posting_date="2019-11-30")
-
-		calculated_penalty_amount = frappe.db.get_value(
-			"Loan Interest Accrual",
-			{"process_loan_interest_accrual": process, "loan": loan.name},
-			"penalty_amount",
-		)
-
-		self.assertEqual(loan.loan_amount, 1000000)
-		self.assertEqual(calculated_penalty_amount, penalty_amount)
-
-	def test_penalty_repayment(self):
-		loan, dummy = create_loan_scenario_for_penalty(self)
-		amounts = calculate_amounts(loan.name, "2019-11-30 00:00:00")
-
-		first_penalty = 10000
-		second_penalty = amounts["penalty_amount"] - 10000
-
-		repayment_entry = create_repayment_entry(
-			loan.name, self.applicant2, "2019-11-30 00:00:00", 10000
-		)
-		repayment_entry.submit()
-
-		amounts = calculate_amounts(loan.name, "2019-11-30 00:00:01")
-		self.assertEqual(amounts["penalty_amount"], second_penalty)
-
-		repayment_entry = create_repayment_entry(
-			loan.name, self.applicant2, "2019-11-30 00:00:01", second_penalty
-		)
-		repayment_entry.submit()
-
-		amounts = calculate_amounts(loan.name, "2019-11-30 00:00:02")
-		self.assertEqual(amounts["penalty_amount"], 0)
-
-	def test_loan_write_off_limit(self):
-		pledge = [{"loan_security": "Test Security 1", "qty": 4000.00}]
-
-		loan_application = create_loan_application(
-			"_Test Company", self.applicant2, "Demand Loan", pledge
-		)
-		create_pledge(loan_application)
-
-		loan = create_demand_loan(
-			self.applicant2, "Demand Loan", loan_application, posting_date="2019-10-01"
-		)
-		loan.submit()
-
-		self.assertEqual(loan.loan_amount, 1000000)
-
-		first_date = "2019-10-01"
-		last_date = "2019-10-30"
-
-		no_of_days = date_diff(last_date, first_date) + 1
-		no_of_days += 5
-
-		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_for_demand_loans(posting_date=last_date)
-
-		# repay 50 less so that it can be automatically written off
-		repayment_entry = create_repayment_entry(
-			loan.name,
-			self.applicant2,
-			add_days(last_date, 5),
-			flt(loan.loan_amount + accrued_interest_amount - 50),
-		)
-
-		repayment_entry.submit()
-
-		amount = frappe.db.get_value(
-			"Loan Interest Accrual", {"loan": loan.name}, ["sum(paid_interest_amount)"]
-		)
-
-		self.assertEqual(flt(amount, 0), flt(accrued_interest_amount, 0))
-		self.assertEqual(flt(repayment_entry.penalty_amount, 5), 0)
-
-		amounts = calculate_amounts(loan.name, add_days(last_date, 5))
-		self.assertEqual(flt(amounts["pending_principal_amount"], 0), 50)
-
-		request_loan_closure(loan.name)
-		loan.load_from_db()
-		self.assertEqual(loan.status, "Loan Closure Requested")
-
-	def test_loan_repayment_against_partially_disbursed_loan(self):
-		pledge = [{"loan_security": "Test Security 1", "qty": 4000.00}]
-
-		loan_application = create_loan_application(
-			"_Test Company", self.applicant2, "Demand Loan", pledge
-		)
-		create_pledge(loan_application)
-
-		loan = create_demand_loan(
-			self.applicant2, "Demand Loan", loan_application, posting_date="2019-10-01"
-		)
-		loan.submit()
-
-		first_date = "2019-10-01"
-		last_date = "2019-10-30"
-
-		make_loan_disbursement_entry(loan.name, loan.loan_amount / 2, disbursement_date=first_date)
-
-		loan.load_from_db()
-
-		self.assertEqual(loan.status, "Partially Disbursed")
-		create_repayment_entry(
-			loan.name, self.applicant2, add_days(last_date, 5), flt(loan.loan_amount / 3)
-		)
-
-	def test_loan_amount_write_off(self):
-		pledge = [{"loan_security": "Test Security 1", "qty": 4000.00}]
-
-		loan_application = create_loan_application(
-			"_Test Company", self.applicant2, "Demand Loan", pledge
-		)
-		create_pledge(loan_application)
-
-		loan = create_demand_loan(
-			self.applicant2, "Demand Loan", loan_application, posting_date="2019-10-01"
-		)
-		loan.submit()
-
-		self.assertEqual(loan.loan_amount, 1000000)
-
-		first_date = "2019-10-01"
-		last_date = "2019-10-30"
-
-		no_of_days = date_diff(last_date, first_date) + 1
-		no_of_days += 5
-
-		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_for_demand_loans(posting_date=last_date)
-
-		# repay 100 less so that it can be automatically written off
-		repayment_entry = create_repayment_entry(
-			loan.name,
-			self.applicant2,
-			add_days(last_date, 5),
-			flt(loan.loan_amount + accrued_interest_amount - 100),
-		)
-
-		repayment_entry.submit()
-
-		amount = frappe.db.get_value(
-			"Loan Interest Accrual", {"loan": loan.name}, ["sum(paid_interest_amount)"]
-		)
-
-		self.assertEqual(flt(amount, 0), flt(accrued_interest_amount, 0))
-		self.assertEqual(flt(repayment_entry.penalty_amount, 5), 0)
-
-		amounts = calculate_amounts(loan.name, add_days(last_date, 5))
-		self.assertEqual(flt(amounts["pending_principal_amount"], 0), 100)
-
-		we = make_loan_write_off(loan.name, amount=amounts["pending_principal_amount"])
-		we.submit()
-
-		amounts = calculate_amounts(loan.name, add_days(last_date, 5))
-		self.assertEqual(flt(amounts["pending_principal_amount"], 0), 0)
-
-	def test_term_loan_schedule_types(self):
-		loan = create_loan(
-			self.applicant1,
-			"Term Loan Type 1",
-			12000,
-			"Repay Over Number of Periods",
-			12,
-			repayment_start_date="2022-10-17",
-		)
-
-		# Check for first, second and last installment date
-		self.assertEqual(
-			format_date(loan.get("repayment_schedule")[0].payment_date, "dd-MM-yyyy"), "17-10-2022"
-		)
-		self.assertEqual(
-			format_date(loan.get("repayment_schedule")[1].payment_date, "dd-MM-yyyy"), "17-11-2022"
-		)
-		self.assertEqual(
-			format_date(loan.get("repayment_schedule")[-1].payment_date, "dd-MM-yyyy"), "17-09-2023"
-		)
-
-		loan.loan_type = "Term Loan Type 2"
-		loan.save()
-
-		# Check for first, second and last installment date
-		self.assertEqual(
-			format_date(loan.get("repayment_schedule")[0].payment_date, "dd-MM-yyyy"), "01-11-2022"
-		)
-		self.assertEqual(
-			format_date(loan.get("repayment_schedule")[1].payment_date, "dd-MM-yyyy"), "01-12-2022"
-		)
-		self.assertEqual(
-			format_date(loan.get("repayment_schedule")[-1].payment_date, "dd-MM-yyyy"), "01-10-2023"
-		)
-
-		loan.loan_type = "Term Loan Type 3"
-		loan.save()
-
-		# Check for first, second and last installment date
-		self.assertEqual(
-			format_date(loan.get("repayment_schedule")[0].payment_date, "dd-MM-yyyy"), "31-10-2022"
-		)
-		self.assertEqual(
-			format_date(loan.get("repayment_schedule")[1].payment_date, "dd-MM-yyyy"), "30-11-2022"
-		)
-		self.assertEqual(
-			format_date(loan.get("repayment_schedule")[-1].payment_date, "dd-MM-yyyy"), "30-09-2023"
-		)
-
-		loan.repayment_method = "Repay Fixed Amount per Period"
-		loan.monthly_repayment_amount = 1042
-		loan.save()
-
-		self.assertEqual(
-			format_date(loan.get("repayment_schedule")[0].payment_date, "dd-MM-yyyy"), "31-10-2022"
-		)
-		self.assertEqual(
-			format_date(loan.get("repayment_schedule")[1].payment_date, "dd-MM-yyyy"), "30-11-2022"
-		)
-		self.assertEqual(
-			format_date(loan.get("repayment_schedule")[-1].payment_date, "dd-MM-yyyy"), "30-09-2023"
-		)
-
-
-def create_loan_scenario_for_penalty(doc):
-	pledge = [{"loan_security": "Test Security 1", "qty": 4000.00}]
-
-	loan_application = create_loan_application("_Test Company", doc.applicant2, "Demand Loan", pledge)
-	create_pledge(loan_application)
-	loan = create_demand_loan(
-		doc.applicant2, "Demand Loan", loan_application, posting_date="2019-10-01"
-	)
-	loan.submit()
-
-	first_date = "2019-10-01"
-	last_date = "2019-10-30"
-
-	make_loan_disbursement_entry(loan.name, loan.loan_amount, disbursement_date=first_date)
-	process_loan_interest_accrual_for_demand_loans(posting_date=last_date)
-
-	amounts = calculate_amounts(loan.name, add_days(last_date, 1))
-	paid_amount = amounts["interest_amount"] / 2
-
-	repayment_entry = create_repayment_entry(
-		loan.name, doc.applicant2, add_days(last_date, 5), paid_amount
-	)
-
-	repayment_entry.submit()
-
-	return loan, amounts
-
-
-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", "Disbursement Account - _TC"):
-		frappe.get_doc(
-			{
-				"doctype": "Account",
-				"company": "_Test Company",
-				"account_name": "Disbursement 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,
-	disbursement_account=None,
-	payment_account=None,
-	loan_account=None,
-	interest_income_account=None,
-	penalty_income_account=None,
-	repayment_method=None,
-	repayment_periods=None,
-	repayment_schedule_type=None,
-	repayment_date_on=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,
-				"repayment_schedule_type": "Monthly as per repayment start date",
-				"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,
-				"disbursement_account": disbursement_account,
-				"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,
-				"write_off_amount": 100,
-			}
-		)
-
-		if loan_type.is_term_loan:
-			loan_type.repayment_schedule_type = repayment_schedule_type
-			if loan_type.repayment_schedule_type != "Monthly as per repayment start date":
-				loan_type.repayment_date_on = repayment_date_on
-
-		loan_type.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,
-				"loan_to_value_ratio": 50,
-			}
-		).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, loan_application=None, loan=None):
-
-	lsp = frappe.new_doc("Loan Security Pledge")
-	lsp.applicant_type = "Customer"
-	lsp.applicant = applicant
-	lsp.company = "_Test Company"
-	lsp.loan_application = loan_application
-
-	if loan:
-		lsp.loan = loan
-
-	for pledge in pledges:
-		lsp.append("securities", {"loan_security": pledge["loan_security"], "qty": pledge["qty"]})
-
-	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, paid_amount):
-
-	lr = frappe.get_doc(
-		{
-			"doctype": "Loan Repayment",
-			"against_loan": loan,
-			"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_application(
-	company,
-	applicant,
-	loan_type,
-	proposed_pledges,
-	repayment_method=None,
-	repayment_periods=None,
-	posting_date=None,
-	do_not_save=False,
-):
-	loan_application = frappe.new_doc("Loan Application")
-	loan_application.applicant_type = "Customer"
-	loan_application.company = company
-	loan_application.applicant = applicant
-	loan_application.loan_type = loan_type
-	loan_application.posting_date = posting_date or nowdate()
-	loan_application.is_secured_loan = 1
-
-	if repayment_method:
-		loan_application.repayment_method = repayment_method
-		loan_application.repayment_periods = repayment_periods
-
-	for pledge in proposed_pledges:
-		loan_application.append("proposed_pledges", pledge)
-
-	if do_not_save:
-		return loan_application
-
-	loan_application.save()
-	loan_application.submit()
-
-	loan_application.status = "Approved"
-	loan_application.save()
-
-	return loan_application.name
-
-
-def create_loan(
-	applicant,
-	loan_type,
-	loan_amount,
-	repayment_method,
-	repayment_periods,
-	applicant_type=None,
-	repayment_start_date=None,
-	posting_date=None,
-):
-
-	loan = frappe.get_doc(
-		{
-			"doctype": "Loan",
-			"applicant_type": applicant_type or "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": repayment_start_date or 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_application,
-	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(),
-			"loan_application": loan_application,
-			"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"),
-			"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_application, posting_date=None):
-
-	loan = frappe.get_doc(
-		{
-			"doctype": "Loan",
-			"company": "_Test Company",
-			"applicant_type": "Customer",
-			"posting_date": posting_date or nowdate(),
-			"loan_application": loan_application,
-			"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"),
-			"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
diff --git a/erpnext/loan_management/doctype/loan_application/__init__.py b/erpnext/loan_management/doctype/loan_application/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/doctype/loan_application/__init__.py
+++ /dev/null
diff --git a/erpnext/loan_management/doctype/loan_application/loan_application.js b/erpnext/loan_management/doctype/loan_application/loan_application.js
deleted file mode 100644
index 5142178..0000000
--- a/erpnext/loan_management/doctype/loan_application/loan_application.js
+++ /dev/null
@@ -1,144 +0,0 @@
-// 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");
-		frm.set_query('loan_type', () => {
-			return {
-				filters: {
-					company: frm.doc.company
-				}
-			};
-		});
-	},
-	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") {
-
-			if (frm.doc.is_secured_loan) {
-				frappe.db.get_value("Loan Security Pledge", {"loan_application": frm.doc.name, "docstatus": 1}, "name", (r) => {
-					if (Object.keys(r).length === 0) {
-						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 (Object.keys(r).length === 0) {
-					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) {
-
-		if(!frm.doc.is_secured_loan) {
-			frappe.throw(__("Loan Security Pledge can only be created for secured loans"));
-		}
-
-		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];
-
-		if (row.loan_security) {
-			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
deleted file mode 100644
index f91fa07..0000000
--- a/erpnext/loan_management/doctype/loan_application/loan_application.json
+++ /dev/null
@@ -1,282 +0,0 @@
-{
- "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
-  }
- ],
- "index_web_pages_for_search": 1,
- "is_submittable": 1,
- "links": [],
- "modified": "2021-04-19 18:24:40.119647",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Loan Application",
- "owner": "Administrator",
- "permissions": [
-  {
-   "amend": 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
-  },
-  {
-   "amend": 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
deleted file mode 100644
index 5f040e2..0000000
--- a/erpnext/loan_management/doctype/loan_application/loan_application.py
+++ /dev/null
@@ -1,257 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-
-import json
-import math
-
-import frappe
-from frappe import _
-from frappe.model.document import Document
-from frappe.model.mapper import get_mapped_doc
-from frappe.utils import cint, flt, rounded
-
-from erpnext.loan_management.doctype.loan.loan import (
-	get_monthly_repayment_amount,
-	get_sanctioned_amount_limit,
-	get_total_loan_amount,
-	validate_repayment_method,
-)
-from erpnext.loan_management.doctype.loan_security_price.loan_security_price import (
-	get_loan_security_price,
-)
-
-
-class LoanApplication(Document):
-	def validate(self):
-		self.set_pledge_amount()
-		self.set_loan_amount()
-		self.validate_loan_amount()
-
-		if self.is_term_loan:
-			validate_repayment_method(
-				self.repayment_method,
-				self.loan_amount,
-				self.repayment_amount,
-				self.repayment_periods,
-				self.is_term_loan,
-			)
-
-		self.validate_loan_type()
-
-		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):
-		sanctioned_amount_limit = get_sanctioned_amount_limit(
-			self.applicant_type, self.applicant, self.company
-		)
-
-		if sanctioned_amount_limit:
-			total_loan_amount = get_total_loan_amount(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.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 self.is_secured_loan and self.proposed_pledges:
-			self.maximum_loan_amount = 0
-			for security in self.proposed_pledges:
-				self.maximum_loan_amount += flt(security.post_haircut_amount)
-
-		if not self.loan_amount and self.is_secured_loan and self.proposed_pledges:
-			self.loan_amount = self.maximum_loan_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]
-
-		if source_doc.is_secured_loan:
-			target_doc.maximum_loan_amount = 0
-
-		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
-		target_doc.loan_application = source_name
-
-	doclist = get_mapped_doc(
-		"Loan Application",
-		source_name,
-		{
-			"Loan Application": {
-				"doctype": "Loan",
-				"validation": {"docstatus": ["=", 1]},
-				"postprocess": update_accounts,
-			}
-		},
-		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, str):
-		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 = cint(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/loan_management/doctype/loan_application/loan_application_dashboard.py b/erpnext/loan_management/doctype/loan_application/loan_application_dashboard.py
deleted file mode 100644
index 1d90e9b..0000000
--- a/erpnext/loan_management/doctype/loan_application/loan_application_dashboard.py
+++ /dev/null
@@ -1,7 +0,0 @@
-def get_data():
-	return {
-		"fieldname": "loan_application",
-		"transactions": [
-			{"items": ["Loan", "Loan Security Pledge"]},
-		],
-	}
diff --git a/erpnext/loan_management/doctype/loan_application/test_loan_application.py b/erpnext/loan_management/doctype/loan_application/test_loan_application.py
deleted file mode 100644
index 13bb4af..0000000
--- a/erpnext/loan_management/doctype/loan_application/test_loan_application.py
+++ /dev/null
@@ -1,62 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
-# See license.txt
-
-import unittest
-
-import frappe
-
-from erpnext.loan_management.doctype.loan.test_loan import create_loan_accounts, create_loan_type
-from erpnext.setup.doctype.employee.test_employee import make_employee
-
-
-class TestLoanApplication(unittest.TestCase):
-	def setUp(self):
-		create_loan_accounts()
-		create_loan_type(
-			"Home Loan",
-			500000,
-			9.2,
-			0,
-			1,
-			0,
-			"Cash",
-			"Disbursement Account - _TC",
-			"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/loan_management/doctype/loan_balance_adjustment/__init__.py b/erpnext/loan_management/doctype/loan_balance_adjustment/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/doctype/loan_balance_adjustment/__init__.py
+++ /dev/null
diff --git a/erpnext/loan_management/doctype/loan_balance_adjustment/loan_balance_adjustment.js b/erpnext/loan_management/doctype/loan_balance_adjustment/loan_balance_adjustment.js
deleted file mode 100644
index 8aec63a..0000000
--- a/erpnext/loan_management/doctype/loan_balance_adjustment/loan_balance_adjustment.js
+++ /dev/null
@@ -1,8 +0,0 @@
-// Copyright (c) 2022, Frappe Technologies Pvt. Ltd. and contributors
-// For license information, please see license.txt
-
-frappe.ui.form.on('Loan Balance Adjustment', {
-	// refresh: function(frm) {
-
-	// }
-});
diff --git a/erpnext/loan_management/doctype/loan_balance_adjustment/loan_balance_adjustment.json b/erpnext/loan_management/doctype/loan_balance_adjustment/loan_balance_adjustment.json
deleted file mode 100644
index 80c3389..0000000
--- a/erpnext/loan_management/doctype/loan_balance_adjustment/loan_balance_adjustment.json
+++ /dev/null
@@ -1,189 +0,0 @@
-{
- "actions": [],
- "autoname": "LM-ADJ-.#####",
- "creation": "2022-06-28 14:48:47.736269",
- "doctype": "DocType",
- "editable_grid": 1,
- "engine": "InnoDB",
- "field_order": [
-  "loan",
-  "applicant_type",
-  "applicant",
-  "column_break_3",
-  "company",
-  "posting_date",
-  "accounting_dimensions_section",
-  "cost_center",
-  "section_break_9",
-  "adjustment_account",
-  "column_break_11",
-  "adjustment_type",
-  "amount",
-  "reference_number",
-  "remarks",
-  "amended_from"
- ],
- "fields": [
-  {
-   "fieldname": "loan",
-   "fieldtype": "Link",
-   "in_list_view": 1,
-   "label": "Loan",
-   "options": "Loan",
-   "reqd": 1
-  },
-  {
-   "fetch_from": "loan.applicant_type",
-   "fieldname": "applicant_type",
-   "fieldtype": "Select",
-   "label": "Applicant Type",
-   "options": "Employee\nMember\nCustomer",
-   "read_only": 1
-  },
-  {
-   "fetch_from": "loan.applicant",
-   "fieldname": "applicant",
-   "fieldtype": "Dynamic Link",
-   "label": "Applicant ",
-   "options": "applicant_type",
-   "read_only": 1
-  },
-  {
-   "fieldname": "column_break_3",
-   "fieldtype": "Column Break"
-  },
-  {
-   "fetch_from": "loan.company",
-   "fieldname": "company",
-   "fieldtype": "Link",
-   "in_list_view": 1,
-   "label": "Company",
-   "options": "Company",
-   "read_only": 1,
-   "reqd": 1
-  },
-  {
-   "default": "Today",
-   "fieldname": "posting_date",
-   "fieldtype": "Date",
-   "in_list_view": 1,
-   "label": "Posting Date",
-   "reqd": 1
-  },
-  {
-   "collapsible": 1,
-   "fieldname": "accounting_dimensions_section",
-   "fieldtype": "Section Break",
-   "label": "Accounting Dimensions"
-  },
-  {
-   "fieldname": "cost_center",
-   "fieldtype": "Link",
-   "label": "Cost Center",
-   "options": "Cost Center"
-  },
-  {
-   "fieldname": "section_break_9",
-   "fieldtype": "Section Break",
-   "label": "Adjustment Details"
-  },
-  {
-   "fieldname": "column_break_11",
-   "fieldtype": "Column Break"
-  },
-  {
-   "fieldname": "reference_number",
-   "fieldtype": "Data",
-   "label": "Reference Number"
-  },
-  {
-   "fieldname": "amended_from",
-   "fieldtype": "Link",
-   "label": "Amended From",
-   "no_copy": 1,
-   "options": "Loan Balance Adjustment",
-   "print_hide": 1,
-   "read_only": 1
-  },
-  {
-   "fieldname": "amended_from",
-   "fieldtype": "Link",
-   "label": "Amended From",
-   "no_copy": 1,
-   "options": "Loan Balance Adjustment",
-   "print_hide": 1,
-   "read_only": 1
-  },
-  {
-   "fieldname": "adjustment_account",
-   "fieldtype": "Link",
-   "label": "Adjustment Account",
-   "options": "Account",
-   "reqd": 1
-  },
-  {
-   "fieldname": "amount",
-   "fieldtype": "Currency",
-   "label": "Amount",
-   "options": "Company:company:default_currency",
-   "reqd": 1
-  },
-  {
-   "fieldname": "adjustment_type",
-   "fieldtype": "Select",
-   "label": "Adjustment Type",
-   "options": "Credit Adjustment\nDebit Adjustment",
-   "reqd": 1
-  },
-  {
-   "fieldname": "remarks",
-   "fieldtype": "Data",
-   "label": "Remarks"
-  }
- ],
- "index_web_pages_for_search": 1,
- "is_submittable": 1,
- "links": [],
- "modified": "2022-07-08 16:48:54.480066",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Loan Balance Adjustment",
- "naming_rule": "Expression (old style)",
- "owner": "Administrator",
- "permissions": [
-  {
-   "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,
-   "print": 1,
-   "read": 1,
-   "report": 1,
-   "role": "Loan Manager",
-   "share": 1,
-   "submit": 1,
-   "write": 1
-  }
- ],
- "sort_field": "modified",
- "sort_order": "DESC",
- "states": [],
- "track_changes": 1
-}
\ No newline at end of file
diff --git a/erpnext/loan_management/doctype/loan_balance_adjustment/loan_balance_adjustment.py b/erpnext/loan_management/doctype/loan_balance_adjustment/loan_balance_adjustment.py
deleted file mode 100644
index 514a5fc..0000000
--- a/erpnext/loan_management/doctype/loan_balance_adjustment/loan_balance_adjustment.py
+++ /dev/null
@@ -1,143 +0,0 @@
-# Copyright (c) 2022, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-import frappe
-from frappe import _
-from frappe.utils import add_days, nowdate
-
-import erpnext
-from erpnext.accounts.general_ledger import make_gl_entries
-from erpnext.controllers.accounts_controller import AccountsController
-from erpnext.loan_management.doctype.process_loan_interest_accrual.process_loan_interest_accrual import (
-	process_loan_interest_accrual_for_demand_loans,
-)
-
-
-class LoanBalanceAdjustment(AccountsController):
-	"""
-	Add credit/debit adjustments to loan ledger.
-	"""
-
-	def validate(self):
-		if self.amount == 0:
-			frappe.throw(_("Amount cannot be zero"))
-		if self.amount < 0:
-			frappe.throw(_("Amount cannot be negative"))
-		self.set_missing_values()
-
-	def on_submit(self):
-		self.set_status_and_amounts()
-		self.make_gl_entries()
-
-	def on_cancel(self):
-		self.set_status_and_amounts(cancel=1)
-		self.make_gl_entries(cancel=1)
-		self.ignore_linked_doctypes = ["GL Entry", "Payment Ledger Entry"]
-
-	def set_missing_values(self):
-		if not self.posting_date:
-			self.posting_date = nowdate()
-
-		if not self.cost_center:
-			self.cost_center = erpnext.get_default_cost_center(self.company)
-
-	def set_status_and_amounts(self, cancel=0):
-		loan_details = frappe.db.get_value(
-			"Loan",
-			self.loan,
-			[
-				"loan_amount",
-				"credit_adjustment_amount",
-				"debit_adjustment_amount",
-				"total_payment",
-				"total_principal_paid",
-				"total_interest_payable",
-				"status",
-				"is_term_loan",
-				"is_secured_loan",
-			],
-			as_dict=1,
-		)
-
-		if cancel:
-			adjustment_amount = self.get_values_on_cancel(loan_details)
-		else:
-			adjustment_amount = self.get_values_on_submit(loan_details)
-
-		if self.adjustment_type == "Credit Adjustment":
-			adj_field = "credit_adjustment_amount"
-		elif self.adjustment_type == "Debit Adjustment":
-			adj_field = "debit_adjustment_amount"
-
-		frappe.db.set_value("Loan", self.loan, {adj_field: adjustment_amount})
-
-	def get_values_on_cancel(self, loan_details):
-		if self.adjustment_type == "Credit Adjustment":
-			adjustment_amount = loan_details.credit_adjustment_amount - self.amount
-		elif self.adjustment_type == "Debit Adjustment":
-			adjustment_amount = loan_details.debit_adjustment_amount - self.amount
-
-		return adjustment_amount
-
-	def get_values_on_submit(self, loan_details):
-		if self.adjustment_type == "Credit Adjustment":
-			adjustment_amount = loan_details.credit_adjustment_amount + self.amount
-		elif self.adjustment_type == "Debit Adjustment":
-			adjustment_amount = loan_details.debit_adjustment_amount + self.amount
-
-		if loan_details.status in ("Disbursed", "Partially Disbursed") and not loan_details.is_term_loan:
-			process_loan_interest_accrual_for_demand_loans(
-				posting_date=add_days(self.posting_date, -1),
-				loan=self.loan,
-				accrual_type=self.adjustment_type,
-			)
-
-		return adjustment_amount
-
-	def make_gl_entries(self, cancel=0, adv_adj=0):
-		gle_map = []
-		loan_account = frappe.db.get_value("Loan", self.loan, "loan_account")
-		remarks = "{} against loan {}".format(self.adjustment_type.capitalize(), self.loan)
-		if self.reference_number:
-			remarks += " with reference no. {}".format(self.reference_number)
-
-		loan_entry = {
-			"account": loan_account,
-			"against": self.adjustment_account,
-			"against_voucher_type": "Loan",
-			"against_voucher": self.loan,
-			"remarks": _(remarks),
-			"cost_center": self.cost_center,
-			"party_type": self.applicant_type,
-			"party": self.applicant,
-			"posting_date": self.posting_date,
-		}
-		company_entry = {
-			"account": self.adjustment_account,
-			"against": loan_account,
-			"against_voucher_type": "Loan",
-			"against_voucher": self.loan,
-			"remarks": _(remarks),
-			"cost_center": self.cost_center,
-			"posting_date": self.posting_date,
-		}
-		if self.adjustment_type == "Credit Adjustment":
-			loan_entry["credit"] = self.amount
-			loan_entry["credit_in_account_currency"] = self.amount
-
-			company_entry["debit"] = self.amount
-			company_entry["debit_in_account_currency"] = self.amount
-
-		elif self.adjustment_type == "Debit Adjustment":
-			loan_entry["debit"] = self.amount
-			loan_entry["debit_in_account_currency"] = self.amount
-
-			company_entry["credit"] = self.amount
-			company_entry["credit_in_account_currency"] = self.amount
-
-		gle_map.append(self.get_gl_dict(loan_entry))
-
-		gle_map.append(self.get_gl_dict(company_entry))
-
-		if gle_map:
-			make_gl_entries(gle_map, cancel=cancel, adv_adj=adv_adj, merge_entries=False)
diff --git a/erpnext/loan_management/doctype/loan_balance_adjustment/test_loan_balance_adjustment.py b/erpnext/loan_management/doctype/loan_balance_adjustment/test_loan_balance_adjustment.py
deleted file mode 100644
index 7658d7b..0000000
--- a/erpnext/loan_management/doctype/loan_balance_adjustment/test_loan_balance_adjustment.py
+++ /dev/null
@@ -1,9 +0,0 @@
-# Copyright (c) 2022, Frappe Technologies Pvt. Ltd. and Contributors
-# See license.txt
-
-# import frappe
-from frappe.tests.utils import FrappeTestCase
-
-
-class TestLoanBalanceAdjustment(FrappeTestCase):
-	pass
diff --git a/erpnext/loan_management/doctype/loan_disbursement/__init__.py b/erpnext/loan_management/doctype/loan_disbursement/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/doctype/loan_disbursement/__init__.py
+++ /dev/null
diff --git a/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.js b/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.js
deleted file mode 100644
index 487ef23..0000000
--- a/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.js
+++ /dev/null
@@ -1,17 +0,0 @@
-// 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
deleted file mode 100644
index c7b5c03..0000000
--- a/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.json
+++ /dev/null
@@ -1,231 +0,0 @@
-{
- "actions": [],
- "autoname": "LM-DIS-.#####",
- "creation": "2019-09-07 12:44:49.125452",
- "doctype": "DocType",
- "editable_grid": 1,
- "engine": "InnoDB",
- "field_order": [
-  "against_loan",
-  "posting_date",
-  "applicant_type",
-  "column_break_4",
-  "company",
-  "applicant",
-  "section_break_7",
-  "disbursement_date",
-  "clearance_date",
-  "column_break_8",
-  "disbursed_amount",
-  "accounting_dimensions_section",
-  "cost_center",
-  "accounting_details",
-  "disbursement_account",
-  "column_break_16",
-  "loan_account",
-  "bank_account",
-  "disbursement_references_section",
-  "reference_date",
-  "column_break_17",
-  "reference_number",
-  "amended_from"
- ],
- "fields": [
-  {
-   "fieldname": "against_loan",
-   "fieldtype": "Link",
-   "in_list_view": 1,
-   "label": "Against Loan ",
-   "options": "Loan",
-   "reqd": 1
-  },
-  {
-   "fieldname": "disbursement_date",
-   "fieldtype": "Date",
-   "label": "Disbursement Date",
-   "reqd": 1
-  },
-  {
-   "fieldname": "disbursed_amount",
-   "fieldtype": "Currency",
-   "label": "Disbursed Amount",
-   "non_negative": 1,
-   "options": "Company:company:default_currency",
-   "reqd": 1
-  },
-  {
-   "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",
-   "in_list_view": 1,
-   "label": "Company",
-   "options": "Company",
-   "read_only": 1,
-   "reqd": 1
-  },
-  {
-   "fetch_from": "against_loan.applicant",
-   "fieldname": "applicant",
-   "fieldtype": "Dynamic Link",
-   "in_list_view": 1,
-   "label": "Applicant",
-   "options": "applicant_type",
-   "read_only": 1,
-   "reqd": 1
-  },
-  {
-   "collapsible": 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": "column_break_4",
-   "fieldtype": "Column Break"
-  },
-  {
-   "fieldname": "section_break_7",
-   "fieldtype": "Section Break",
-   "label": "Disbursement Details"
-  },
-  {
-   "fetch_from": "against_loan.applicant_type",
-   "fieldname": "applicant_type",
-   "fieldtype": "Select",
-   "in_list_view": 1,
-   "label": "Applicant Type",
-   "options": "Employee\nMember\nCustomer",
-   "read_only": 1,
-   "reqd": 1
-  },
-  {
-   "fieldname": "bank_account",
-   "fieldtype": "Link",
-   "label": "Bank Account",
-   "options": "Bank Account"
-  },
-  {
-   "fieldname": "column_break_8",
-   "fieldtype": "Column Break"
-  },
-  {
-   "fieldname": "disbursement_references_section",
-   "fieldtype": "Section Break",
-   "label": "Disbursement References"
-  },
-  {
-   "fieldname": "reference_date",
-   "fieldtype": "Date",
-   "label": "Reference Date"
-  },
-  {
-   "fieldname": "column_break_17",
-   "fieldtype": "Column Break"
-  },
-  {
-   "fieldname": "reference_number",
-   "fieldtype": "Data",
-   "label": "Reference Number"
-  },
-  {
-   "fieldname": "clearance_date",
-   "fieldtype": "Date",
-   "label": "Clearance Date",
-   "no_copy": 1,
-   "read_only": 1
-  },
-  {
-   "fieldname": "accounting_details",
-   "fieldtype": "Section Break",
-   "label": "Accounting Details"
-  },
-  {
-   "fetch_from": "against_loan.disbursement_account",
-   "fetch_if_empty": 1,
-   "fieldname": "disbursement_account",
-   "fieldtype": "Link",
-   "label": "Disbursement Account",
-   "options": "Account"
-  },
-  {
-   "fieldname": "column_break_16",
-   "fieldtype": "Column Break"
-  },
-  {
-   "fetch_from": "against_loan.loan_account",
-   "fieldname": "loan_account",
-   "fieldtype": "Link",
-   "label": "Loan Account",
-   "options": "Account",
-   "read_only": 1
-  }
- ],
- "index_web_pages_for_search": 1,
- "is_submittable": 1,
- "links": [],
- "modified": "2022-08-04 17:16:04.922444",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Loan Disbursement",
- "naming_rule": "Expression (old style)",
- "owner": "Administrator",
- "permissions": [
-  {
-   "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,
-   "print": 1,
-   "read": 1,
-   "report": 1,
-   "role": "Loan Manager",
-   "share": 1,
-   "submit": 1,
-   "write": 1
-  }
- ],
- "quick_entry": 1,
- "sort_field": "modified",
- "sort_order": "DESC",
- "states": [],
- "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
deleted file mode 100644
index 51bf327..0000000
--- a/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py
+++ /dev/null
@@ -1,257 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-
-import frappe
-from frappe import _
-from frappe.utils import add_days, flt, get_datetime, nowdate
-
-import erpnext
-from erpnext.accounts.general_ledger import make_gl_entries
-from erpnext.controllers.accounts_controller import AccountsController
-from erpnext.loan_management.doctype.loan_security_unpledge.loan_security_unpledge import (
-	get_pledged_security_qty,
-)
-from erpnext.loan_management.doctype.process_loan_interest_accrual.process_loan_interest_accrual import (
-	process_loan_interest_accrual_for_demand_loans,
-)
-
-
-class LoanDisbursement(AccountsController):
-	def validate(self):
-		self.set_missing_values()
-		self.validate_disbursal_amount()
-
-	def on_submit(self):
-		self.set_status_and_amounts()
-		self.make_gl_entries()
-
-	def on_cancel(self):
-		self.set_status_and_amounts(cancel=1)
-		self.make_gl_entries(cancel=1)
-		self.ignore_linked_doctypes = ["GL Entry", "Payment Ledger Entry"]
-
-	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()
-
-	def validate_disbursal_amount(self):
-		possible_disbursal_amount = get_disbursal_amount(self.against_loan)
-
-		if self.disbursed_amount > possible_disbursal_amount:
-			frappe.throw(_("Disbursed Amount cannot be greater than {0}").format(possible_disbursal_amount))
-
-	def set_status_and_amounts(self, cancel=0):
-		loan_details = frappe.get_all(
-			"Loan",
-			fields=[
-				"loan_amount",
-				"disbursed_amount",
-				"total_payment",
-				"total_principal_paid",
-				"total_interest_payable",
-				"status",
-				"is_term_loan",
-				"is_secured_loan",
-			],
-			filters={"name": self.against_loan},
-		)[0]
-
-		if cancel:
-			disbursed_amount, status, total_payment = self.get_values_on_cancel(loan_details)
-		else:
-			disbursed_amount, status, total_payment = self.get_values_on_submit(loan_details)
-
-		frappe.db.set_value(
-			"Loan",
-			self.against_loan,
-			{
-				"disbursement_date": self.disbursement_date,
-				"disbursed_amount": disbursed_amount,
-				"status": status,
-				"total_payment": total_payment,
-			},
-		)
-
-	def get_values_on_cancel(self, loan_details):
-		disbursed_amount = loan_details.disbursed_amount - self.disbursed_amount
-		total_payment = loan_details.total_payment
-
-		if loan_details.disbursed_amount > loan_details.loan_amount:
-			topup_amount = loan_details.disbursed_amount - loan_details.loan_amount
-			if topup_amount > self.disbursed_amount:
-				topup_amount = self.disbursed_amount
-
-			total_payment = total_payment - topup_amount
-
-		if disbursed_amount == 0:
-			status = "Sanctioned"
-
-		elif disbursed_amount >= loan_details.loan_amount:
-			status = "Disbursed"
-		else:
-			status = "Partially Disbursed"
-
-		return disbursed_amount, status, total_payment
-
-	def get_values_on_submit(self, loan_details):
-		disbursed_amount = self.disbursed_amount + loan_details.disbursed_amount
-		total_payment = loan_details.total_payment
-
-		if loan_details.status in ("Disbursed", "Partially Disbursed") and not loan_details.is_term_loan:
-			process_loan_interest_accrual_for_demand_loans(
-				posting_date=add_days(self.disbursement_date, -1),
-				loan=self.against_loan,
-				accrual_type="Disbursement",
-			)
-
-		if disbursed_amount > loan_details.loan_amount:
-			topup_amount = disbursed_amount - loan_details.loan_amount
-
-			if topup_amount < 0:
-				topup_amount = 0
-
-			if topup_amount > self.disbursed_amount:
-				topup_amount = self.disbursed_amount
-
-			total_payment = total_payment + topup_amount
-
-		if flt(disbursed_amount) >= loan_details.loan_amount:
-			status = "Disbursed"
-		else:
-			status = "Partially Disbursed"
-
-		return disbursed_amount, status, total_payment
-
-	def make_gl_entries(self, cancel=0, adv_adj=0):
-		gle_map = []
-
-		gle_map.append(
-			self.get_gl_dict(
-				{
-					"account": self.loan_account,
-					"against": self.disbursement_account,
-					"debit": self.disbursed_amount,
-					"debit_in_account_currency": self.disbursed_amount,
-					"against_voucher_type": "Loan",
-					"against_voucher": self.against_loan,
-					"remarks": _("Disbursement 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": self.disbursement_account,
-					"against": self.loan_account,
-					"credit": self.disbursed_amount,
-					"credit_in_account_currency": self.disbursed_amount,
-					"against_voucher_type": "Loan",
-					"against_voucher": self.against_loan,
-					"remarks": _("Disbursement against loan:") + self.against_loan,
-					"cost_center": self.cost_center,
-					"posting_date": self.disbursement_date,
-				}
-			)
-		)
-
-		if gle_map:
-			make_gl_entries(gle_map, cancel=cancel, adv_adj=adv_adj)
-
-
-def get_total_pledged_security_value(loan):
-	update_time = get_datetime()
-
-	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,
-		)
-	)
-
-	hair_cut_map = frappe._dict(
-		frappe.get_all("Loan Security", fields=["name", "haircut"], as_list=1)
-	)
-
-	security_value = 0.0
-	pledged_securities = get_pledged_security_qty(loan)
-
-	for security, qty in pledged_securities.items():
-		after_haircut_percentage = 100 - hair_cut_map.get(security)
-		security_value += (
-			loan_security_price_map.get(security, 0) * qty * after_haircut_percentage
-		) / 100
-
-	return security_value
-
-
-@frappe.whitelist()
-def get_disbursal_amount(loan, on_current_security_price=0):
-	from erpnext.loan_management.doctype.loan_repayment.loan_repayment import (
-		get_pending_principal_amount,
-	)
-
-	loan_details = frappe.get_value(
-		"Loan",
-		loan,
-		[
-			"loan_amount",
-			"disbursed_amount",
-			"total_payment",
-			"debit_adjustment_amount",
-			"credit_adjustment_amount",
-			"refund_amount",
-			"total_principal_paid",
-			"total_interest_payable",
-			"status",
-			"is_term_loan",
-			"is_secured_loan",
-			"maximum_loan_amount",
-			"written_off_amount",
-		],
-		as_dict=1,
-	)
-
-	if loan_details.is_secured_loan and frappe.get_all(
-		"Loan Security Shortfall", filters={"loan": loan, "status": "Pending"}
-	):
-		return 0
-
-	pending_principal_amount = get_pending_principal_amount(loan_details)
-
-	security_value = 0.0
-	if loan_details.is_secured_loan and on_current_security_price:
-		security_value = get_total_pledged_security_value(loan)
-
-	if loan_details.is_secured_loan and not on_current_security_price:
-		security_value = get_maximum_amount_as_per_pledged_security(loan)
-
-	if not security_value and not loan_details.is_secured_loan:
-		security_value = flt(loan_details.loan_amount)
-
-	disbursal_amount = flt(security_value) - flt(pending_principal_amount)
-
-	if (
-		loan_details.is_term_loan
-		and (disbursal_amount + loan_details.loan_amount) > loan_details.loan_amount
-	):
-		disbursal_amount = loan_details.loan_amount - loan_details.disbursed_amount
-
-	return disbursal_amount
-
-
-def get_maximum_amount_as_per_pledged_security(loan):
-	return flt(frappe.db.get_value("Loan Security Pledge", {"loan": loan}, "sum(maximum_loan_value)"))
diff --git a/erpnext/loan_management/doctype/loan_disbursement/test_loan_disbursement.py b/erpnext/loan_management/doctype/loan_disbursement/test_loan_disbursement.py
deleted file mode 100644
index 9cc6ec9..0000000
--- a/erpnext/loan_management/doctype/loan_disbursement/test_loan_disbursement.py
+++ /dev/null
@@ -1,162 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
-# See license.txt
-
-import unittest
-
-import frappe
-from frappe.utils import (
-	add_days,
-	add_to_date,
-	date_diff,
-	flt,
-	get_datetime,
-	get_first_day,
-	get_last_day,
-	nowdate,
-)
-
-from erpnext.loan_management.doctype.loan.test_loan import (
-	create_demand_loan,
-	create_loan_accounts,
-	create_loan_application,
-	create_loan_security,
-	create_loan_security_pledge,
-	create_loan_security_price,
-	create_loan_security_type,
-	create_loan_type,
-	create_repayment_entry,
-	make_loan_disbursement_entry,
-)
-from erpnext.loan_management.doctype.loan_application.loan_application import create_pledge
-from erpnext.loan_management.doctype.loan_interest_accrual.loan_interest_accrual import (
-	days_in_year,
-	get_per_day_interest,
-)
-from erpnext.loan_management.doctype.loan_repayment.loan_repayment import calculate_amounts
-from erpnext.loan_management.doctype.process_loan_interest_accrual.process_loan_interest_accrual import (
-	process_loan_interest_accrual_for_demand_loans,
-)
-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",
-			"Disbursement Account - _TC",
-			"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):
-		pledge = [{"loan_security": "Test Security 1", "qty": 4000.00}]
-
-		loan_application = create_loan_application(
-			"_Test Company", self.applicant, "Demand Loan", pledge
-		)
-		create_pledge(loan_application)
-
-		loan = create_demand_loan(
-			self.applicant, "Demand Loan", loan_application, 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_for_demand_loans(posting_date=add_days(last_date, 1))
-
-		# Should not be able to create loan disbursement entry before repayment
-		self.assertRaises(
-			frappe.ValidationError, make_loan_disbursement_entry, loan.name, 500000, first_date
-		)
-
-		repayment_entry = create_repayment_entry(
-			loan.name, self.applicant, add_days(get_last_day(nowdate()), 5), 611095.89
-		)
-
-		repayment_entry.submit()
-		loan.reload()
-
-		# After repayment loan disbursement entry should go through
-		make_loan_disbursement_entry(loan.name, 500000, disbursement_date=add_days(last_date, 16))
-
-		# check for disbursement accrual
-		loan_interest_accrual = frappe.db.get_value(
-			"Loan Interest Accrual", {"loan": loan.name, "accrual_type": "Disbursement"}
-		)
-
-		self.assertTrue(loan_interest_accrual)
-
-	def test_loan_topup_with_additional_pledge(self):
-		pledge = [{"loan_security": "Test Security 1", "qty": 4000.00}]
-
-		loan_application = create_loan_application(
-			"_Test Company", self.applicant, "Demand Loan", pledge
-		)
-		create_pledge(loan_application)
-
-		loan = create_demand_loan(
-			self.applicant, "Demand Loan", loan_application, posting_date="2019-10-01"
-		)
-		loan.submit()
-
-		self.assertEqual(loan.loan_amount, 1000000)
-
-		first_date = "2019-10-01"
-		last_date = "2019-10-30"
-
-		# Disbursed 10,00,000 amount
-		make_loan_disbursement_entry(loan.name, loan.loan_amount, disbursement_date=first_date)
-		process_loan_interest_accrual_for_demand_loans(posting_date=last_date)
-		amounts = calculate_amounts(loan.name, add_days(last_date, 1))
-
-		previous_interest = amounts["interest_amount"]
-
-		pledge1 = [{"loan_security": "Test Security 1", "qty": 2000.00}]
-
-		create_loan_security_pledge(self.applicant, pledge1, loan=loan.name)
-
-		# Topup 500000
-		make_loan_disbursement_entry(loan.name, 500000, disbursement_date=add_days(last_date, 1))
-		process_loan_interest_accrual_for_demand_loans(posting_date=add_days(last_date, 15))
-		amounts = calculate_amounts(loan.name, add_days(last_date, 15))
-
-		per_day_interest = get_per_day_interest(1500000, 13.5, "2019-10-30")
-		interest = per_day_interest * 15
-
-		self.assertEqual(amounts["pending_principal_amount"], 1500000)
diff --git a/erpnext/loan_management/doctype/loan_interest_accrual/__init__.py b/erpnext/loan_management/doctype/loan_interest_accrual/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/doctype/loan_interest_accrual/__init__.py
+++ /dev/null
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
deleted file mode 100644
index 177b235..0000000
--- a/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.js
+++ /dev/null
@@ -1,10 +0,0 @@
-// 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
deleted file mode 100644
index 08dc98c..0000000
--- a/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.json
+++ /dev/null
@@ -1,239 +0,0 @@
-{
- "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",
-  "accrual_type",
-  "is_term_loan",
-  "section_break_7",
-  "pending_principal_amount",
-  "payable_principal_amount",
-  "paid_principal_amount",
-  "column_break_14",
-  "interest_amount",
-  "total_pending_interest_amount",
-  "paid_interest_amount",
-  "penalty_amount",
-  "section_break_15",
-  "process_loan_interest_accrual",
-  "repayment_schedule_name",
-  "last_accrual_date",
-  "amended_from"
- ],
- "fields": [
-  {
-   "fieldname": "loan",
-   "fieldtype": "Link",
-   "in_list_view": 1,
-   "in_standard_filter": 1,
-   "label": "Loan",
-   "options": "Loan"
-  },
-  {
-   "fieldname": "posting_date",
-   "fieldtype": "Date",
-   "in_list_view": 1,
-   "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",
-   "in_list_view": 1,
-   "in_standard_filter": 1,
-   "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",
-   "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"
-  },
-  {
-   "fieldname": "repayment_schedule_name",
-   "fieldtype": "Data",
-   "hidden": 1,
-   "label": "Repayment Schedule Name",
-   "read_only": 1
-  },
-  {
-   "depends_on": "eval:doc.is_term_loan",
-   "fieldname": "paid_principal_amount",
-   "fieldtype": "Currency",
-   "label": "Paid Principal Amount",
-   "options": "Company:company:default_currency"
-  },
-  {
-   "fieldname": "paid_interest_amount",
-   "fieldtype": "Currency",
-   "label": "Paid Interest Amount",
-   "options": "Company:company:default_currency"
-  },
-  {
-   "fieldname": "accrual_type",
-   "fieldtype": "Select",
-   "in_filter": 1,
-   "in_list_view": 1,
-   "in_standard_filter": 1,
-   "label": "Accrual Type",
-   "options": "Regular\nRepayment\nDisbursement\nCredit Adjustment\nDebit Adjustment\nRefund"
-  },
-  {
-   "fieldname": "penalty_amount",
-   "fieldtype": "Currency",
-   "label": "Penalty Amount",
-   "options": "Company:company:default_currency"
-  },
-  {
-   "fieldname": "last_accrual_date",
-   "fieldtype": "Date",
-   "hidden": 1,
-   "label": "Last Accrual Date",
-   "read_only": 1
-  },
-  {
-   "fieldname": "total_pending_interest_amount",
-   "fieldtype": "Currency",
-   "label": "Total Pending Interest Amount",
-   "options": "Company:company:default_currency"
-  }
- ],
- "in_create": 1,
- "index_web_pages_for_search": 1,
- "is_submittable": 1,
- "links": [],
- "modified": "2022-06-30 11:51:31.911794",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Loan Interest Accrual",
- "naming_rule": "Expression (old style)",
- "owner": "Administrator",
- "permissions": [
-  {
-   "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,
-   "print": 1,
-   "read": 1,
-   "report": 1,
-   "role": "Loan Manager",
-   "share": 1,
-   "submit": 1,
-   "write": 1
-  }
- ],
- "quick_entry": 1,
- "sort_field": "modified",
- "sort_order": "DESC",
- "states": [],
- "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
deleted file mode 100644
index ab4ea4c..0000000
--- a/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py
+++ /dev/null
@@ -1,331 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-
-import frappe
-from frappe import _
-from frappe.utils import add_days, cint, date_diff, flt, get_datetime, getdate, nowdate
-
-from erpnext.accounts.general_ledger import make_gl_entries
-from erpnext.controllers.accounts_controller import AccountsController
-
-
-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 and not self.payable_principal_amount:
-			frappe.throw(_("Interest Amount or Principal Amount is mandatory"))
-
-		if not self.last_accrual_date:
-			self.last_accrual_date = get_last_accrual_date(self.loan, self.posting_date)
-
-	def on_submit(self):
-		self.make_gl_entries()
-
-	def on_cancel(self):
-		if self.repayment_schedule_name:
-			self.update_is_accrued()
-
-		self.make_gl_entries(cancel=1)
-		self.ignore_linked_doctypes = ["GL Entry", "Payment Ledger Entry"]
-
-	def update_is_accrued(self):
-		frappe.db.set_value("Repayment Schedule", self.repayment_schedule_name, "is_accrued", 0)
-
-	def make_gl_entries(self, cancel=0, adv_adj=0):
-		gle_map = []
-
-		cost_center = frappe.db.get_value("Loan", self.loan, "cost_center")
-
-		if self.interest_amount:
-			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": _("Interest accrued from {0} to {1} against loan: {2}").format(
-							self.last_accrual_date, self.posting_date, self.loan
-						),
-						"cost_center": cost_center,
-						"posting_date": self.posting_date,
-					}
-				)
-			)
-
-			gle_map.append(
-				self.get_gl_dict(
-					{
-						"account": self.interest_income_account,
-						"against": self.loan_account,
-						"credit": self.interest_amount,
-						"credit_in_account_currency": self.interest_amount,
-						"against_voucher_type": "Loan",
-						"against_voucher": self.loan,
-						"remarks": ("Interest accrued from {0} to {1} against loan: {2}").format(
-							self.last_accrual_date, self.posting_date, self.loan
-						),
-						"cost_center": cost_center,
-						"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, accrual_type
-):
-	from erpnext.loan_management.doctype.loan_repayment.loan_repayment import (
-		calculate_amounts,
-		get_pending_principal_amount,
-	)
-
-	no_of_days = get_no_of_days_for_interest_accural(loan, posting_date)
-	precision = cint(frappe.db.get_default("currency_precision")) or 2
-
-	if no_of_days <= 0:
-		return
-
-	pending_principal_amount = get_pending_principal_amount(loan)
-
-	interest_per_day = get_per_day_interest(
-		pending_principal_amount, loan.rate_of_interest, posting_date
-	)
-	payable_interest = interest_per_day * no_of_days
-
-	pending_amounts = calculate_amounts(loan.name, posting_date, payment_type="Loan Closure")
-
-	args = frappe._dict(
-		{
-			"loan": loan.name,
-			"applicant_type": loan.applicant_type,
-			"applicant": loan.applicant,
-			"interest_income_account": loan.interest_income_account,
-			"loan_account": loan.loan_account,
-			"pending_principal_amount": pending_principal_amount,
-			"interest_amount": payable_interest,
-			"total_pending_interest_amount": pending_amounts["interest_amount"],
-			"penalty_amount": pending_amounts["penalty_amount"],
-			"process_loan_interest": process_loan_interest,
-			"posting_date": posting_date,
-			"accrual_type": accrual_type,
-		}
-	)
-
-	if flt(payable_interest, precision) > 0.0:
-		make_loan_interest_accrual_entry(args)
-
-
-def make_accrual_interest_entry_for_demand_loans(
-	posting_date, process_loan_interest, open_loans=None, loan_type=None, accrual_type="Regular"
-):
-	query_filters = {
-		"status": ("in", ["Disbursed", "Partially Disbursed"]),
-		"docstatus": 1,
-		"is_term_loan": 0,
-	}
-
-	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",
-				"debit_adjustment_amount",
-				"credit_adjustment_amount",
-				"refund_amount",
-				"loan_account",
-				"interest_income_account",
-				"loan_amount",
-				"is_term_loan",
-				"status",
-				"disbursement_date",
-				"disbursed_amount",
-				"applicant_type",
-				"applicant",
-				"rate_of_interest",
-				"total_interest_payable",
-				"written_off_amount",
-				"total_principal_paid",
-				"repayment_start_date",
-			],
-			filters=query_filters,
-		)
-
-	for loan in open_loans:
-		calculate_accrual_amount_for_demand_loans(
-			loan, posting_date, process_loan_interest, accrual_type
-		)
-
-
-def make_accrual_interest_entry_for_term_loans(
-	posting_date, process_loan_interest, term_loan=None, loan_type=None, accrual_type="Regular"
-):
-	curr_date = posting_date or add_days(nowdate(), 1)
-
-	term_loans = get_term_loans(curr_date, term_loan, loan_type)
-
-	accrued_entries = []
-
-	for loan in term_loans:
-		accrued_entries.append(loan.payment_entry)
-		args = frappe._dict(
-			{
-				"loan": loan.name,
-				"applicant_type": loan.applicant_type,
-				"applicant": loan.applicant,
-				"interest_income_account": loan.interest_income_account,
-				"loan_account": loan.loan_account,
-				"interest_amount": loan.interest_amount,
-				"payable_principal": loan.principal_amount,
-				"process_loan_interest": process_loan_interest,
-				"repayment_schedule_name": loan.payment_entry,
-				"posting_date": posting_date,
-				"accrual_type": accrual_type,
-			}
-		)
-
-		make_loan_interest_accrual_entry(args)
-
-	if accrued_entries:
-		frappe.db.sql(
-			"""UPDATE `tabRepayment Schedule`
-			SET is_accrued = 1 where name in (%s)"""  # nosec
-			% ", ".join(["%s"] * len(accrued_entries)),
-			tuple(accrued_entries),
-		)
-
-
-def get_term_loans(date, term_loan=None, loan_type=None):
-	condition = ""
-
-	if term_loan:
-		condition += " AND l.name = %s" % frappe.db.escape(term_loan)
-
-	if loan_type:
-		condition += " AND l.loan_type = %s" % frappe.db.escape(loan_type)
-
-	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 {0}
-			AND rs.principal_amount > 0
-			AND l.status = 'Disbursed'
-			ORDER BY rs.payment_date""".format(
-			condition
-		),
-		(getdate(date)),
-		as_dict=1,
-	)
-
-	return term_loans
-
-
-def make_loan_interest_accrual_entry(args):
-	precision = cint(frappe.db.get_default("currency_precision")) or 2
-
-	loan_interest_accrual = frappe.new_doc("Loan Interest Accrual")
-	loan_interest_accrual.loan = args.loan
-	loan_interest_accrual.applicant_type = args.applicant_type
-	loan_interest_accrual.applicant = args.applicant
-	loan_interest_accrual.interest_income_account = args.interest_income_account
-	loan_interest_accrual.loan_account = args.loan_account
-	loan_interest_accrual.pending_principal_amount = flt(args.pending_principal_amount, precision)
-	loan_interest_accrual.interest_amount = flt(args.interest_amount, precision)
-	loan_interest_accrual.total_pending_interest_amount = flt(
-		args.total_pending_interest_amount, precision
-	)
-	loan_interest_accrual.penalty_amount = flt(args.penalty_amount, precision)
-	loan_interest_accrual.posting_date = args.posting_date or nowdate()
-	loan_interest_accrual.process_loan_interest_accrual = args.process_loan_interest
-	loan_interest_accrual.repayment_schedule_name = args.repayment_schedule_name
-	loan_interest_accrual.payable_principal_amount = args.payable_principal
-	loan_interest_accrual.accrual_type = args.accrual_type
-
-	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_accrual_date(loan.name, posting_date)
-
-	no_of_days = date_diff(posting_date or nowdate(), last_interest_accrual_date) + 1
-
-	return no_of_days
-
-
-def get_last_accrual_date(loan, posting_date):
-	last_posting_date = frappe.db.sql(
-		""" SELECT MAX(posting_date) from `tabLoan Interest Accrual`
-		WHERE loan = %s and docstatus = 1""",
-		(loan),
-	)
-
-	if last_posting_date[0][0]:
-		last_interest_accrual_date = last_posting_date[0][0]
-		# interest for last interest accrual date is already booked, so add 1 day
-		last_disbursement_date = get_last_disbursement_date(loan, posting_date)
-
-		if last_disbursement_date and getdate(last_disbursement_date) > add_days(
-			getdate(last_interest_accrual_date), 1
-		):
-			last_interest_accrual_date = last_disbursement_date
-
-		return add_days(last_interest_accrual_date, 1)
-	else:
-		return frappe.db.get_value("Loan", loan, "disbursement_date")
-
-
-def get_last_disbursement_date(loan, posting_date):
-	last_disbursement_date = frappe.db.get_value(
-		"Loan Disbursement",
-		{"docstatus": 1, "against_loan": loan, "posting_date": ("<", posting_date)},
-		"MAX(posting_date)",
-	)
-
-	return last_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
-
-
-def get_per_day_interest(principal_amount, rate_of_interest, posting_date=None):
-	if not posting_date:
-		posting_date = getdate()
-
-	return flt(
-		(principal_amount * rate_of_interest) / (days_in_year(get_datetime(posting_date).year) * 100)
-	)
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
deleted file mode 100644
index fd59393..0000000
--- a/erpnext/loan_management/doctype/loan_interest_accrual/test_loan_interest_accrual.py
+++ /dev/null
@@ -1,127 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
-# See license.txt
-
-import unittest
-
-import frappe
-from frappe.utils import add_to_date, date_diff, flt, get_datetime, get_first_day, nowdate
-
-from erpnext.loan_management.doctype.loan.test_loan import (
-	create_demand_loan,
-	create_loan_accounts,
-	create_loan_application,
-	create_loan_security,
-	create_loan_security_price,
-	create_loan_security_type,
-	create_loan_type,
-	make_loan_disbursement_entry,
-)
-from erpnext.loan_management.doctype.loan_application.loan_application import create_pledge
-from erpnext.loan_management.doctype.loan_interest_accrual.loan_interest_accrual import (
-	days_in_year,
-)
-from erpnext.loan_management.doctype.process_loan_interest_accrual.process_loan_interest_accrual import (
-	process_loan_interest_accrual_for_demand_loans,
-)
-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",
-			"Disbursement Account - _TC",
-			"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):
-		pledge = [{"loan_security": "Test Security 1", "qty": 4000.00}]
-
-		loan_application = create_loan_application(
-			"_Test Company", self.applicant, "Demand Loan", pledge
-		)
-		create_pledge(loan_application)
-		loan = create_demand_loan(
-			self.applicant, "Demand Loan", loan_application, 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_for_demand_loans(posting_date=last_date)
-		loan_interest_accural = frappe.get_doc("Loan Interest Accrual", {"loan": loan.name})
-
-		self.assertEqual(flt(loan_interest_accural.interest_amount, 0), flt(accrued_interest_amount, 0))
-
-	def test_accumulated_amounts(self):
-		pledge = [{"loan_security": "Test Security 1", "qty": 4000.00}]
-
-		loan_application = create_loan_application(
-			"_Test Company", self.applicant, "Demand Loan", pledge
-		)
-		create_pledge(loan_application)
-		loan = create_demand_loan(
-			self.applicant, "Demand Loan", loan_application, 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_for_demand_loans(posting_date=last_date)
-		loan_interest_accrual = frappe.get_doc("Loan Interest Accrual", {"loan": loan.name})
-
-		self.assertEqual(flt(loan_interest_accrual.interest_amount, 0), flt(accrued_interest_amount, 0))
-
-		next_start_date = "2019-10-31"
-		next_end_date = "2019-11-29"
-
-		no_of_days = date_diff(next_end_date, next_start_date) + 1
-		process = process_loan_interest_accrual_for_demand_loans(posting_date=next_end_date)
-		new_accrued_interest_amount = (loan.loan_amount * loan.rate_of_interest * no_of_days) / (
-			days_in_year(get_datetime(first_date).year) * 100
-		)
-
-		total_pending_interest_amount = flt(accrued_interest_amount + new_accrued_interest_amount, 0)
-
-		loan_interest_accrual = frappe.get_doc(
-			"Loan Interest Accrual", {"loan": loan.name, "process_loan_interest_accrual": process}
-		)
-		self.assertEqual(
-			flt(loan_interest_accrual.total_pending_interest_amount, 0), total_pending_interest_amount
-		)
diff --git a/erpnext/loan_management/doctype/loan_refund/__init__.py b/erpnext/loan_management/doctype/loan_refund/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/doctype/loan_refund/__init__.py
+++ /dev/null
diff --git a/erpnext/loan_management/doctype/loan_refund/loan_refund.js b/erpnext/loan_management/doctype/loan_refund/loan_refund.js
deleted file mode 100644
index f108bf7..0000000
--- a/erpnext/loan_management/doctype/loan_refund/loan_refund.js
+++ /dev/null
@@ -1,8 +0,0 @@
-// Copyright (c) 2022, Frappe Technologies Pvt. Ltd. and contributors
-// For license information, please see license.txt
-
-frappe.ui.form.on('Loan Refund', {
-	// refresh: function(frm) {
-
-	// }
-});
diff --git a/erpnext/loan_management/doctype/loan_refund/loan_refund.json b/erpnext/loan_management/doctype/loan_refund/loan_refund.json
deleted file mode 100644
index f78e55e..0000000
--- a/erpnext/loan_management/doctype/loan_refund/loan_refund.json
+++ /dev/null
@@ -1,176 +0,0 @@
-{
- "actions": [],
- "autoname": "LM-RF-.#####",
- "creation": "2022-06-24 15:51:03.165498",
- "doctype": "DocType",
- "editable_grid": 1,
- "engine": "InnoDB",
- "field_order": [
-  "loan",
-  "applicant_type",
-  "applicant",
-  "column_break_3",
-  "company",
-  "posting_date",
-  "accounting_dimensions_section",
-  "cost_center",
-  "section_break_9",
-  "refund_account",
-  "column_break_11",
-  "refund_amount",
-  "reference_number",
-  "amended_from"
- ],
- "fields": [
-  {
-   "fieldname": "loan",
-   "fieldtype": "Link",
-   "in_list_view": 1,
-   "label": "Loan",
-   "options": "Loan",
-   "reqd": 1
-  },
-  {
-   "fetch_from": "loan.applicant_type",
-   "fieldname": "applicant_type",
-   "fieldtype": "Select",
-   "label": "Applicant Type",
-   "options": "Employee\nMember\nCustomer",
-   "read_only": 1
-  },
-  {
-   "fetch_from": "loan.applicant",
-   "fieldname": "applicant",
-   "fieldtype": "Dynamic Link",
-   "label": "Applicant ",
-   "options": "applicant_type",
-   "read_only": 1
-  },
-  {
-   "fieldname": "column_break_3",
-   "fieldtype": "Column Break"
-  },
-  {
-   "fetch_from": "loan.company",
-   "fieldname": "company",
-   "fieldtype": "Link",
-   "in_list_view": 1,
-   "label": "Company",
-   "options": "Company",
-   "read_only": 1,
-   "reqd": 1
-  },
-  {
-   "default": "Today",
-   "fieldname": "posting_date",
-   "fieldtype": "Date",
-   "in_list_view": 1,
-   "label": "Posting Date",
-   "reqd": 1
-  },
-  {
-   "collapsible": 1,
-   "fieldname": "accounting_dimensions_section",
-   "fieldtype": "Section Break",
-   "label": "Accounting Dimensions"
-  },
-  {
-   "fieldname": "cost_center",
-   "fieldtype": "Link",
-   "label": "Cost Center",
-   "options": "Cost Center"
-  },
-  {
-   "fieldname": "section_break_9",
-   "fieldtype": "Section Break",
-   "label": "Refund Details"
-  },
-  {
-   "fieldname": "refund_account",
-   "fieldtype": "Link",
-   "in_list_view": 1,
-   "label": "Refund Account",
-   "options": "Account",
-   "reqd": 1
-  },
-  {
-   "fieldname": "column_break_11",
-   "fieldtype": "Column Break"
-  },
-  {
-   "fieldname": "refund_amount",
-   "fieldtype": "Currency",
-   "label": "Refund Amount",
-   "options": "Company:company:default_currency",
-   "reqd": 1
-  },
-  {
-   "fieldname": "amended_from",
-   "fieldtype": "Link",
-   "label": "Amended From",
-   "no_copy": 1,
-   "options": "Loan Refund",
-   "print_hide": 1,
-   "read_only": 1
-  },
-  {
-   "fieldname": "amended_from",
-   "fieldtype": "Link",
-   "label": "Amended From",
-   "no_copy": 1,
-   "options": "Loan Refund",
-   "print_hide": 1,
-   "read_only": 1
-  },
-  {
-   "fieldname": "reference_number",
-   "fieldtype": "Data",
-   "label": "Reference Number"
-  }
- ],
- "index_web_pages_for_search": 1,
- "is_submittable": 1,
- "links": [],
- "modified": "2022-06-24 16:13:48.793486",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Loan Refund",
- "naming_rule": "Expression (old style)",
- "owner": "Administrator",
- "permissions": [
-  {
-   "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,
-   "print": 1,
-   "read": 1,
-   "report": 1,
-   "role": "Loan Manager",
-   "share": 1,
-   "submit": 1,
-   "write": 1
-  }
- ],
- "sort_field": "modified",
- "sort_order": "DESC",
- "states": [],
- "track_changes": 1
-}
\ No newline at end of file
diff --git a/erpnext/loan_management/doctype/loan_refund/loan_refund.py b/erpnext/loan_management/doctype/loan_refund/loan_refund.py
deleted file mode 100644
index d7ab54c..0000000
--- a/erpnext/loan_management/doctype/loan_refund/loan_refund.py
+++ /dev/null
@@ -1,97 +0,0 @@
-# Copyright (c) 2022, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-import frappe
-from frappe import _
-from frappe.utils import getdate
-
-import erpnext
-from erpnext.accounts.general_ledger import make_gl_entries
-from erpnext.controllers.accounts_controller import AccountsController
-from erpnext.loan_management.doctype.loan_repayment.loan_repayment import (
-	get_pending_principal_amount,
-)
-
-
-class LoanRefund(AccountsController):
-	"""
-	Add refund if total repayment is more than that is owed.
-	"""
-
-	def validate(self):
-		self.set_missing_values()
-		self.validate_refund_amount()
-
-	def set_missing_values(self):
-		if not self.cost_center:
-			self.cost_center = erpnext.get_default_cost_center(self.company)
-
-	def validate_refund_amount(self):
-		loan = frappe.get_doc("Loan", self.loan)
-		pending_amount = get_pending_principal_amount(loan)
-		if pending_amount >= 0:
-			frappe.throw(_("No excess amount to refund."))
-		else:
-			excess_amount = pending_amount * -1
-
-		if self.refund_amount > excess_amount:
-			frappe.throw(_("Refund amount cannot be greater than excess amount {0}").format(excess_amount))
-
-	def on_submit(self):
-		self.update_outstanding_amount()
-		self.make_gl_entries()
-
-	def on_cancel(self):
-		self.update_outstanding_amount(cancel=1)
-		self.ignore_linked_doctypes = ["GL Entry", "Payment Ledger Entry"]
-		self.make_gl_entries(cancel=1)
-
-	def update_outstanding_amount(self, cancel=0):
-		refund_amount = frappe.db.get_value("Loan", self.loan, "refund_amount")
-
-		if cancel:
-			refund_amount -= self.refund_amount
-		else:
-			refund_amount += self.refund_amount
-
-		frappe.db.set_value("Loan", self.loan, "refund_amount", refund_amount)
-
-	def make_gl_entries(self, cancel=0):
-		gl_entries = []
-		loan_details = frappe.get_doc("Loan", self.loan)
-
-		gl_entries.append(
-			self.get_gl_dict(
-				{
-					"account": self.refund_account,
-					"against": loan_details.loan_account,
-					"credit": self.refund_amount,
-					"credit_in_account_currency": self.refund_amount,
-					"against_voucher_type": "Loan",
-					"against_voucher": self.loan,
-					"remarks": _("Against Loan:") + self.loan,
-					"cost_center": self.cost_center,
-					"posting_date": getdate(self.posting_date),
-				}
-			)
-		)
-
-		gl_entries.append(
-			self.get_gl_dict(
-				{
-					"account": loan_details.loan_account,
-					"party_type": loan_details.applicant_type,
-					"party": loan_details.applicant,
-					"against": self.refund_account,
-					"debit": self.refund_amount,
-					"debit_in_account_currency": self.refund_amount,
-					"against_voucher_type": "Loan",
-					"against_voucher": self.loan,
-					"remarks": _("Against Loan:") + self.loan,
-					"cost_center": self.cost_center,
-					"posting_date": getdate(self.posting_date),
-				}
-			)
-		)
-
-		make_gl_entries(gl_entries, cancel=cancel, merge_entries=False)
diff --git a/erpnext/loan_management/doctype/loan_refund/test_loan_refund.py b/erpnext/loan_management/doctype/loan_refund/test_loan_refund.py
deleted file mode 100644
index de2f9e1..0000000
--- a/erpnext/loan_management/doctype/loan_refund/test_loan_refund.py
+++ /dev/null
@@ -1,9 +0,0 @@
-# Copyright (c) 2022, Frappe Technologies Pvt. Ltd. and Contributors
-# See license.txt
-
-# import frappe
-from frappe.tests.utils import FrappeTestCase
-
-
-class TestLoanRefund(FrappeTestCase):
-	pass
diff --git a/erpnext/loan_management/doctype/loan_repayment/__init__.py b/erpnext/loan_management/doctype/loan_repayment/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/doctype/loan_repayment/__init__.py
+++ /dev/null
diff --git a/erpnext/loan_management/doctype/loan_repayment/loan_repayment.js b/erpnext/loan_management/doctype/loan_repayment/loan_repayment.js
deleted file mode 100644
index 82a2d80..0000000
--- a/erpnext/loan_management/doctype/loan_repayment/loan_repayment.js
+++ /dev/null
@@ -1,64 +0,0 @@
-// 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
deleted file mode 100644
index 3e7dc28..0000000
--- a/erpnext/loan_management/doctype/loan_repayment/loan_repayment.json
+++ /dev/null
@@ -1,339 +0,0 @@
-{
- "actions": [],
- "autoname": "LM-REP-.####",
- "creation": "2022-01-25 10:30:02.767941",
- "doctype": "DocType",
- "editable_grid": 1,
- "engine": "InnoDB",
- "field_order": [
-  "against_loan",
-  "applicant_type",
-  "applicant",
-  "loan_type",
-  "column_break_3",
-  "company",
-  "posting_date",
-  "clearance_date",
-  "rate_of_interest",
-  "is_term_loan",
-  "payment_details_section",
-  "due_date",
-  "pending_principal_amount",
-  "interest_payable",
-  "payable_amount",
-  "column_break_9",
-  "shortfall_amount",
-  "payable_principal_amount",
-  "penalty_amount",
-  "amount_paid",
-  "accounting_dimensions_section",
-  "cost_center",
-  "references_section",
-  "reference_number",
-  "column_break_21",
-  "reference_date",
-  "principal_amount_paid",
-  "total_penalty_paid",
-  "total_interest_paid",
-  "repayment_details",
-  "amended_from",
-  "accounting_details_section",
-  "payment_account",
-  "penalty_income_account",
-  "column_break_36",
-  "loan_account"
- ],
- "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"
-  },
-  {
-   "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",
-   "non_negative": 1,
-   "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
-  },
-  {
-   "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": "Payment References"
-  },
-  {
-   "fieldname": "reference_number",
-   "fieldtype": "Data",
-   "label": "Reference Number"
-  },
-  {
-   "fieldname": "reference_date",
-   "fieldtype": "Date",
-   "label": "Reference Date"
-  },
-  {
-   "fieldname": "column_break_21",
-   "fieldtype": "Column Break"
-  },
-  {
-   "default": "0.0",
-   "fieldname": "principal_amount_paid",
-   "fieldtype": "Currency",
-   "hidden": 1,
-   "label": "Principal Amount Paid",
-   "options": "Company:company:default_currency",
-   "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
-  },
-  {
-   "fieldname": "repayment_details",
-   "fieldtype": "Table",
-   "hidden": 1,
-   "label": "Repayment Details",
-   "options": "Loan Repayment Detail"
-  },
-  {
-   "fieldname": "total_interest_paid",
-   "fieldtype": "Currency",
-   "hidden": 1,
-   "label": "Total Interest Paid",
-   "options": "Company:company:default_currency",
-   "read_only": 1
-  },
-  {
-   "fetch_from": "loan_type.rate_of_interest",
-   "fieldname": "rate_of_interest",
-   "fieldtype": "Percent",
-   "label": "Rate Of Interest",
-   "read_only": 1
-  },
-  {
-   "fieldname": "shortfall_amount",
-   "fieldtype": "Currency",
-   "label": "Shortfall Amount",
-   "options": "Company:company:default_currency",
-   "read_only": 1
-  },
-  {
-   "fieldname": "total_penalty_paid",
-   "fieldtype": "Currency",
-   "hidden": 1,
-   "label": "Total Penalty Paid",
-   "options": "Company:company:default_currency",
-   "read_only": 1
-  },
-  {
-   "fieldname": "clearance_date",
-   "fieldtype": "Date",
-   "label": "Clearance Date",
-   "no_copy": 1,
-   "read_only": 1
-  },
-  {
-   "fieldname": "accounting_details_section",
-   "fieldtype": "Section Break",
-   "label": "Accounting Details"
-  },
-  {
-   "fetch_from": "against_loan.payment_account",
-   "fetch_if_empty": 1,
-   "fieldname": "payment_account",
-   "fieldtype": "Link",
-   "label": "Repayment Account",
-   "options": "Account"
-  },
-  {
-   "fieldname": "column_break_36",
-   "fieldtype": "Column Break"
-  },
-  {
-   "fetch_from": "against_loan.loan_account",
-   "fieldname": "loan_account",
-   "fieldtype": "Link",
-   "label": "Loan Account",
-   "options": "Account",
-   "read_only": 1
-  },
-  {
-   "fetch_from": "against_loan.penalty_income_account",
-   "fieldname": "penalty_income_account",
-   "fieldtype": "Link",
-   "hidden": 1,
-   "label": "Penalty Income Account",
-   "options": "Account"
-  }
- ],
- "index_web_pages_for_search": 1,
- "is_submittable": 1,
- "links": [],
- "modified": "2022-08-04 17:13:51.964203",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Loan Repayment",
- "naming_rule": "Expression (old style)",
- "owner": "Administrator",
- "permissions": [
-  {
-   "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,
-   "print": 1,
-   "read": 1,
-   "report": 1,
-   "role": "Loan Manager",
-   "share": 1,
-   "submit": 1,
-   "write": 1
-  }
- ],
- "sort_field": "modified",
- "sort_order": "DESC",
- "states": [],
- "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
deleted file mode 100644
index 82aab4a..0000000
--- a/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py
+++ /dev/null
@@ -1,777 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-
-import frappe
-from frappe import _
-from frappe.utils import add_days, cint, date_diff, flt, get_datetime, getdate
-
-import erpnext
-from erpnext.accounts.general_ledger import make_gl_entries
-from erpnext.controllers.accounts_controller import AccountsController
-from erpnext.loan_management.doctype.loan_interest_accrual.loan_interest_accrual import (
-	get_last_accrual_date,
-	get_per_day_interest,
-)
-from erpnext.loan_management.doctype.loan_security_shortfall.loan_security_shortfall import (
-	update_shortfall_status,
-)
-from erpnext.loan_management.doctype.process_loan_interest_accrual.process_loan_interest_accrual import (
-	process_loan_interest_accrual_for_demand_loans,
-)
-
-
-class LoanRepayment(AccountsController):
-	def validate(self):
-		amounts = calculate_amounts(self.against_loan, self.posting_date)
-		self.set_missing_values(amounts)
-		self.check_future_entries()
-		self.validate_amount()
-		self.allocate_amounts(amounts)
-
-	def before_submit(self):
-		self.book_unaccrued_interest()
-
-	def on_submit(self):
-		self.update_paid_amount()
-		self.update_repayment_schedule()
-		self.make_gl_entries()
-
-	def on_cancel(self):
-		self.check_future_accruals()
-		self.update_repayment_schedule(cancel=1)
-		self.mark_as_unpaid()
-		self.ignore_linked_doctypes = ["GL Entry", "Payment Ledger Entry"]
-		self.make_gl_entries(cancel=1)
-
-	def set_missing_values(self, amounts):
-		precision = cint(frappe.db.get_default("currency_precision")) or 2
-
-		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 = flt(amounts["interest_amount"], precision)
-
-		if not self.penalty_amount:
-			self.penalty_amount = flt(amounts["penalty_amount"], precision)
-
-		if not self.pending_principal_amount:
-			self.pending_principal_amount = flt(amounts["pending_principal_amount"], precision)
-
-		if not self.payable_principal_amount and self.is_term_loan:
-			self.payable_principal_amount = flt(amounts["payable_principal_amount"], precision)
-
-		if not self.payable_amount:
-			self.payable_amount = flt(amounts["payable_amount"], precision)
-
-		shortfall_amount = flt(
-			frappe.db.get_value(
-				"Loan Security Shortfall", {"loan": self.against_loan, "status": "Pending"}, "shortfall_amount"
-			)
-		)
-
-		if shortfall_amount:
-			self.shortfall_amount = shortfall_amount
-
-		if amounts.get("due_date"):
-			self.due_date = amounts.get("due_date")
-
-	def check_future_entries(self):
-		future_repayment_date = frappe.db.get_value(
-			"Loan Repayment",
-			{"posting_date": (">", self.posting_date), "docstatus": 1, "against_loan": self.against_loan},
-			"posting_date",
-		)
-
-		if future_repayment_date:
-			frappe.throw("Repayment already made till date {0}".format(get_datetime(future_repayment_date)))
-
-	def validate_amount(self):
-		precision = cint(frappe.db.get_default("currency_precision")) or 2
-
-		if not self.amount_paid:
-			frappe.throw(_("Amount paid cannot be zero"))
-
-	def book_unaccrued_interest(self):
-		precision = cint(frappe.db.get_default("currency_precision")) or 2
-		if flt(self.total_interest_paid, precision) > flt(self.interest_payable, precision):
-			if not self.is_term_loan:
-				# get last loan interest accrual date
-				last_accrual_date = get_last_accrual_date(self.against_loan, self.posting_date)
-
-				# get posting date upto which interest has to be accrued
-				per_day_interest = get_per_day_interest(
-					self.pending_principal_amount, self.rate_of_interest, self.posting_date
-				)
-
-				no_of_days = (
-					flt(flt(self.total_interest_paid - self.interest_payable, precision) / per_day_interest, 0)
-					- 1
-				)
-
-				posting_date = add_days(last_accrual_date, no_of_days)
-
-				# book excess interest paid
-				process = process_loan_interest_accrual_for_demand_loans(
-					posting_date=posting_date, loan=self.against_loan, accrual_type="Repayment"
-				)
-
-				# get loan interest accrual to update paid amount
-				lia = frappe.db.get_value(
-					"Loan Interest Accrual",
-					{"process_loan_interest_accrual": process},
-					["name", "interest_amount", "payable_principal_amount"],
-					as_dict=1,
-				)
-
-				if lia:
-					self.append(
-						"repayment_details",
-						{
-							"loan_interest_accrual": lia.name,
-							"paid_interest_amount": flt(self.total_interest_paid - self.interest_payable, precision),
-							"paid_principal_amount": 0.0,
-							"accrual_type": "Repayment",
-						},
-					)
-
-	def update_paid_amount(self):
-		loan = frappe.get_value(
-			"Loan",
-			self.against_loan,
-			[
-				"total_amount_paid",
-				"total_principal_paid",
-				"status",
-				"is_secured_loan",
-				"total_payment",
-				"debit_adjustment_amount",
-				"credit_adjustment_amount",
-				"refund_amount",
-				"loan_amount",
-				"disbursed_amount",
-				"total_interest_payable",
-				"written_off_amount",
-			],
-			as_dict=1,
-		)
-
-		loan.update(
-			{
-				"total_amount_paid": loan.total_amount_paid + self.amount_paid,
-				"total_principal_paid": loan.total_principal_paid + self.principal_amount_paid,
-			}
-		)
-
-		pending_principal_amount = get_pending_principal_amount(loan)
-		if not loan.is_secured_loan and pending_principal_amount <= 0:
-			loan.update({"status": "Loan Closure Requested"})
-
-		for payment in self.repayment_details:
-			frappe.db.sql(
-				""" UPDATE `tabLoan Interest Accrual`
-				SET paid_principal_amount = `paid_principal_amount` + %s,
-					paid_interest_amount = `paid_interest_amount` + %s
-				WHERE name = %s""",
-				(
-					flt(payment.paid_principal_amount),
-					flt(payment.paid_interest_amount),
-					payment.loan_interest_accrual,
-				),
-			)
-
-		frappe.db.sql(
-			""" UPDATE `tabLoan`
-			SET total_amount_paid = %s, total_principal_paid = %s, status = %s
-			WHERE name = %s """,
-			(loan.total_amount_paid, loan.total_principal_paid, loan.status, self.against_loan),
-		)
-
-		update_shortfall_status(self.against_loan, self.principal_amount_paid)
-
-	def mark_as_unpaid(self):
-		loan = frappe.get_value(
-			"Loan",
-			self.against_loan,
-			[
-				"total_amount_paid",
-				"total_principal_paid",
-				"status",
-				"is_secured_loan",
-				"total_payment",
-				"loan_amount",
-				"disbursed_amount",
-				"total_interest_payable",
-				"written_off_amount",
-			],
-			as_dict=1,
-		)
-
-		no_of_repayments = len(self.repayment_details)
-
-		loan.update(
-			{
-				"total_amount_paid": loan.total_amount_paid - self.amount_paid,
-				"total_principal_paid": loan.total_principal_paid - self.principal_amount_paid,
-			}
-		)
-
-		if loan.status == "Loan Closure Requested":
-			if loan.disbursed_amount >= loan.loan_amount:
-				loan["status"] = "Disbursed"
-			else:
-				loan["status"] = "Partially Disbursed"
-
-		for payment in self.repayment_details:
-			frappe.db.sql(
-				""" UPDATE `tabLoan Interest Accrual`
-				SET paid_principal_amount = `paid_principal_amount` - %s,
-					paid_interest_amount = `paid_interest_amount` - %s
-				WHERE name = %s""",
-				(payment.paid_principal_amount, payment.paid_interest_amount, payment.loan_interest_accrual),
-			)
-
-			# Cancel repayment interest accrual
-			# checking idx as a preventive measure, repayment accrual will always be the last entry
-			if payment.accrual_type == "Repayment" and payment.idx == no_of_repayments:
-				lia_doc = frappe.get_doc("Loan Interest Accrual", payment.loan_interest_accrual)
-				lia_doc.cancel()
-
-		frappe.db.sql(
-			""" UPDATE `tabLoan`
-			SET total_amount_paid = %s, total_principal_paid = %s, status = %s
-			WHERE name = %s """,
-			(loan.total_amount_paid, loan.total_principal_paid, loan.status, self.against_loan),
-		)
-
-	def check_future_accruals(self):
-		future_accrual_date = frappe.db.get_value(
-			"Loan Interest Accrual",
-			{"posting_date": (">", self.posting_date), "docstatus": 1, "loan": self.against_loan},
-			"posting_date",
-		)
-
-		if future_accrual_date:
-			frappe.throw(
-				"Cannot cancel. Interest accruals already processed till {0}".format(
-					get_datetime(future_accrual_date)
-				)
-			)
-
-	def update_repayment_schedule(self, cancel=0):
-		if self.is_term_loan and self.principal_amount_paid > self.payable_principal_amount:
-			regenerate_repayment_schedule(self.against_loan, cancel)
-
-	def allocate_amounts(self, repayment_details):
-		precision = cint(frappe.db.get_default("currency_precision")) or 2
-		self.set("repayment_details", [])
-		self.principal_amount_paid = 0
-		self.total_penalty_paid = 0
-		interest_paid = self.amount_paid
-
-		if self.shortfall_amount and self.amount_paid > self.shortfall_amount:
-			self.principal_amount_paid = self.shortfall_amount
-		elif self.shortfall_amount:
-			self.principal_amount_paid = self.amount_paid
-
-		interest_paid -= self.principal_amount_paid
-
-		if interest_paid > 0:
-			if self.penalty_amount and interest_paid > self.penalty_amount:
-				self.total_penalty_paid = flt(self.penalty_amount, precision)
-			elif self.penalty_amount:
-				self.total_penalty_paid = flt(interest_paid, precision)
-
-			interest_paid -= self.total_penalty_paid
-
-		if self.is_term_loan:
-			interest_paid, updated_entries = self.allocate_interest_amount(interest_paid, repayment_details)
-			self.allocate_principal_amount_for_term_loans(interest_paid, repayment_details, updated_entries)
-		else:
-			interest_paid, updated_entries = self.allocate_interest_amount(interest_paid, repayment_details)
-			self.allocate_excess_payment_for_demand_loans(interest_paid, repayment_details)
-
-	def allocate_interest_amount(self, interest_paid, repayment_details):
-		updated_entries = {}
-		self.total_interest_paid = 0
-		idx = 1
-
-		if interest_paid > 0:
-			for lia, amounts in repayment_details.get("pending_accrual_entries", []).items():
-				interest_amount = 0
-				if amounts["interest_amount"] <= interest_paid:
-					interest_amount = amounts["interest_amount"]
-					self.total_interest_paid += interest_amount
-					interest_paid -= interest_amount
-				elif interest_paid:
-					if interest_paid >= amounts["interest_amount"]:
-						interest_amount = amounts["interest_amount"]
-						self.total_interest_paid += interest_amount
-						interest_paid = 0
-					else:
-						interest_amount = interest_paid
-						self.total_interest_paid += interest_amount
-						interest_paid = 0
-
-				if interest_amount:
-					self.append(
-						"repayment_details",
-						{
-							"loan_interest_accrual": lia,
-							"paid_interest_amount": interest_amount,
-							"paid_principal_amount": 0,
-						},
-					)
-					updated_entries[lia] = idx
-					idx += 1
-
-		return interest_paid, updated_entries
-
-	def allocate_principal_amount_for_term_loans(
-		self, interest_paid, repayment_details, updated_entries
-	):
-		if interest_paid > 0:
-			for lia, amounts in repayment_details.get("pending_accrual_entries", []).items():
-				paid_principal = 0
-				if amounts["payable_principal_amount"] <= interest_paid:
-					paid_principal = amounts["payable_principal_amount"]
-					self.principal_amount_paid += paid_principal
-					interest_paid -= paid_principal
-				elif interest_paid:
-					if interest_paid >= amounts["payable_principal_amount"]:
-						paid_principal = amounts["payable_principal_amount"]
-						self.principal_amount_paid += paid_principal
-						interest_paid = 0
-					else:
-						paid_principal = interest_paid
-						self.principal_amount_paid += paid_principal
-						interest_paid = 0
-
-				if updated_entries.get(lia):
-					idx = updated_entries.get(lia)
-					self.get("repayment_details")[idx - 1].paid_principal_amount += paid_principal
-				else:
-					self.append(
-						"repayment_details",
-						{
-							"loan_interest_accrual": lia,
-							"paid_interest_amount": 0,
-							"paid_principal_amount": paid_principal,
-						},
-					)
-
-		if interest_paid > 0:
-			self.principal_amount_paid += interest_paid
-
-	def allocate_excess_payment_for_demand_loans(self, interest_paid, repayment_details):
-		if repayment_details["unaccrued_interest"] and interest_paid > 0:
-			# no of days for which to accrue interest
-			# Interest can only be accrued for an entire day and not partial
-			if interest_paid > repayment_details["unaccrued_interest"]:
-				interest_paid -= repayment_details["unaccrued_interest"]
-				self.total_interest_paid += repayment_details["unaccrued_interest"]
-			else:
-				# get no of days for which interest can be paid
-				per_day_interest = get_per_day_interest(
-					self.pending_principal_amount, self.rate_of_interest, self.posting_date
-				)
-
-				no_of_days = cint(interest_paid / per_day_interest)
-				self.total_interest_paid += no_of_days * per_day_interest
-				interest_paid -= no_of_days * per_day_interest
-
-		if interest_paid > 0:
-			self.principal_amount_paid += interest_paid
-
-	def make_gl_entries(self, cancel=0, adv_adj=0):
-		gle_map = []
-		if self.shortfall_amount and self.amount_paid > self.shortfall_amount:
-			remarks = "Shortfall repayment of {0}.<br>Repayment against loan {1}".format(
-				self.shortfall_amount, self.against_loan
-			)
-		elif self.shortfall_amount:
-			remarks = "Shortfall repayment of {0} against loan {1}".format(
-				self.shortfall_amount, self.against_loan
-			)
-		else:
-			remarks = "Repayment against loan " + self.against_loan
-
-		if self.reference_number:
-			remarks += " with reference no. {}".format(self.reference_number)
-
-		if hasattr(self, "repay_from_salary") and self.repay_from_salary:
-			payment_account = self.payroll_payable_account
-		else:
-			payment_account = self.payment_account
-
-		if self.total_penalty_paid:
-			gle_map.append(
-				self.get_gl_dict(
-					{
-						"account": self.loan_account,
-						"against": payment_account,
-						"debit": self.total_penalty_paid,
-						"debit_in_account_currency": self.total_penalty_paid,
-						"against_voucher_type": "Loan",
-						"against_voucher": self.against_loan,
-						"remarks": _("Penalty 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": self.penalty_income_account,
-						"against": self.loan_account,
-						"credit": self.total_penalty_paid,
-						"credit_in_account_currency": self.total_penalty_paid,
-						"against_voucher_type": "Loan",
-						"against_voucher": self.against_loan,
-						"remarks": _("Penalty against loan:") + self.against_loan,
-						"cost_center": self.cost_center,
-						"posting_date": getdate(self.posting_date),
-					}
-				)
-			)
-
-		gle_map.append(
-			self.get_gl_dict(
-				{
-					"account": payment_account,
-					"against": self.loan_account + ", " + self.penalty_income_account,
-					"debit": self.amount_paid,
-					"debit_in_account_currency": self.amount_paid,
-					"against_voucher_type": "Loan",
-					"against_voucher": self.against_loan,
-					"remarks": _(remarks),
-					"cost_center": self.cost_center,
-					"posting_date": getdate(self.posting_date),
-				}
-			)
-		)
-
-		gle_map.append(
-			self.get_gl_dict(
-				{
-					"account": self.loan_account,
-					"party_type": self.applicant_type,
-					"party": self.applicant,
-					"against": payment_account,
-					"credit": self.amount_paid,
-					"credit_in_account_currency": self.amount_paid,
-					"against_voucher_type": "Loan",
-					"against_voucher": self.against_loan,
-					"remarks": _(remarks),
-					"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, merge_entries=False)
-
-
-def create_repayment_entry(
-	loan,
-	applicant,
-	company,
-	posting_date,
-	loan_type,
-	payment_type,
-	interest_payable,
-	payable_principal_amount,
-	amount_paid,
-	penalty_amount=None,
-	payroll_payable_account=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,
-			"interest_payable": interest_payable,
-			"payable_principal_amount": payable_principal_amount,
-			"amount_paid": amount_paid,
-			"loan_type": loan_type,
-			"payroll_payable_account": payroll_payable_account,
-		}
-	).insert()
-
-	return lr
-
-
-def get_accrued_interest_entries(against_loan, posting_date=None):
-	if not posting_date:
-		posting_date = getdate()
-
-	precision = cint(frappe.db.get_default("currency_precision")) or 2
-
-	unpaid_accrued_entries = frappe.db.sql(
-		"""
-			SELECT name, posting_date, interest_amount - paid_interest_amount as interest_amount,
-				payable_principal_amount - paid_principal_amount as payable_principal_amount,
-				accrual_type
-			FROM
-				`tabLoan Interest Accrual`
-			WHERE
-				loan = %s
-			AND posting_date <= %s
-			AND (interest_amount - paid_interest_amount > 0 OR
-				payable_principal_amount - paid_principal_amount > 0)
-			AND
-				docstatus = 1
-			ORDER BY posting_date
-		""",
-		(against_loan, posting_date),
-		as_dict=1,
-	)
-
-	# Skip entries with zero interest amount & payable principal amount
-	unpaid_accrued_entries = [
-		d
-		for d in unpaid_accrued_entries
-		if flt(d.interest_amount, precision) > 0 or flt(d.payable_principal_amount, precision) > 0
-	]
-
-	return unpaid_accrued_entries
-
-
-def get_penalty_details(against_loan):
-	penalty_details = frappe.db.sql(
-		"""
-		SELECT posting_date, (penalty_amount - total_penalty_paid) as pending_penalty_amount
-		FROM `tabLoan Repayment` where posting_date >= (SELECT MAX(posting_date) from `tabLoan Repayment`
-		where against_loan = %s) and docstatus = 1 and against_loan = %s
-	""",
-		(against_loan, against_loan),
-	)
-
-	if penalty_details:
-		return penalty_details[0][0], flt(penalty_details[0][1])
-	else:
-		return None, 0
-
-
-def regenerate_repayment_schedule(loan, cancel=0):
-	from erpnext.loan_management.doctype.loan.loan import (
-		add_single_month,
-		get_monthly_repayment_amount,
-	)
-
-	loan_doc = frappe.get_doc("Loan", loan)
-	next_accrual_date = None
-	accrued_entries = 0
-	last_repayment_amount = None
-	last_balance_amount = None
-
-	for term in reversed(loan_doc.get("repayment_schedule")):
-		if not term.is_accrued:
-			next_accrual_date = term.payment_date
-			loan_doc.remove(term)
-		else:
-			accrued_entries += 1
-			if last_repayment_amount is None:
-				last_repayment_amount = term.total_payment
-			if last_balance_amount is None:
-				last_balance_amount = term.balance_loan_amount
-
-	loan_doc.save()
-
-	balance_amount = get_pending_principal_amount(loan_doc)
-
-	if loan_doc.repayment_method == "Repay Fixed Amount per Period":
-		monthly_repayment_amount = flt(
-			balance_amount / len(loan_doc.get("repayment_schedule")) - accrued_entries
-		)
-	else:
-		repayment_period = loan_doc.repayment_periods - accrued_entries
-		if not cancel and repayment_period > 0:
-			monthly_repayment_amount = get_monthly_repayment_amount(
-				balance_amount, loan_doc.rate_of_interest, repayment_period
-			)
-		else:
-			monthly_repayment_amount = last_repayment_amount
-			balance_amount = last_balance_amount
-
-	payment_date = next_accrual_date
-
-	while balance_amount > 0:
-		interest_amount = flt(balance_amount * flt(loan_doc.rate_of_interest) / (12 * 100))
-		principal_amount = monthly_repayment_amount - interest_amount
-		balance_amount = flt(balance_amount + interest_amount - monthly_repayment_amount)
-		if balance_amount < 0:
-			principal_amount += balance_amount
-			balance_amount = 0.0
-
-		total_payment = principal_amount + interest_amount
-		loan_doc.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_single_month(payment_date)
-		payment_date = next_payment_date
-
-	loan_doc.save()
-
-
-def get_pending_principal_amount(loan):
-	if loan.status in ("Disbursed", "Closed") or loan.disbursed_amount >= loan.loan_amount:
-		pending_principal_amount = (
-			flt(loan.total_payment)
-			+ flt(loan.debit_adjustment_amount)
-			- flt(loan.credit_adjustment_amount)
-			- flt(loan.total_principal_paid)
-			- flt(loan.total_interest_payable)
-			- flt(loan.written_off_amount)
-			+ flt(loan.refund_amount)
-		)
-	else:
-		pending_principal_amount = (
-			flt(loan.disbursed_amount)
-			+ flt(loan.debit_adjustment_amount)
-			- flt(loan.credit_adjustment_amount)
-			- flt(loan.total_principal_paid)
-			- flt(loan.total_interest_payable)
-			- flt(loan.written_off_amount)
-			+ flt(loan.refund_amount)
-		)
-
-	return pending_principal_amount
-
-
-# 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):
-	precision = cint(frappe.db.get_default("currency_precision")) or 2
-
-	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, posting_date)
-
-	computed_penalty_date, pending_penalty_amount = get_penalty_details(against_loan)
-	pending_accrual_entries = {}
-
-	total_pending_interest = 0
-	penalty_amount = 0
-	payable_principal_amount = 0
-	final_due_date = ""
-	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)
-		due_date_after_grace_period = add_days(due_date, loan_type_details.grace_period_in_days)
-
-		# Consider one day after already calculated penalty
-		if computed_penalty_date and getdate(computed_penalty_date) >= due_date_after_grace_period:
-			due_date_after_grace_period = add_days(computed_penalty_date, 1)
-
-		no_of_late_days = date_diff(posting_date, due_date_after_grace_period) + 1
-
-		if (
-			no_of_late_days > 0
-			and (
-				not (hasattr(against_loan_doc, "repay_from_salary") and against_loan_doc.repay_from_salary)
-			)
-			and entry.accrual_type == "Regular"
-		):
-			penalty_amount += (
-				entry.interest_amount * (loan_type_details.penalty_interest_rate / 100) * no_of_late_days
-			)
-
-		total_pending_interest += entry.interest_amount
-		payable_principal_amount += entry.payable_principal_amount
-
-		pending_accrual_entries.setdefault(
-			entry.name,
-			{
-				"interest_amount": flt(entry.interest_amount, precision),
-				"payable_principal_amount": flt(entry.payable_principal_amount, precision),
-			},
-		)
-
-		if due_date and not final_due_date:
-			final_due_date = add_days(due_date, loan_type_details.grace_period_in_days)
-
-	pending_principal_amount = get_pending_principal_amount(against_loan_doc)
-
-	unaccrued_interest = 0
-	if due_date:
-		pending_days = date_diff(posting_date, due_date) + 1
-	else:
-		last_accrual_date = get_last_accrual_date(against_loan_doc.name, posting_date)
-		pending_days = date_diff(posting_date, last_accrual_date) + 1
-
-	if pending_days > 0:
-		principal_amount = flt(pending_principal_amount, precision)
-		per_day_interest = get_per_day_interest(
-			principal_amount, loan_type_details.rate_of_interest, posting_date
-		)
-		unaccrued_interest += pending_days * per_day_interest
-
-	amounts["pending_principal_amount"] = flt(pending_principal_amount, precision)
-	amounts["payable_principal_amount"] = flt(payable_principal_amount, precision)
-	amounts["interest_amount"] = flt(total_pending_interest, precision)
-	amounts["penalty_amount"] = flt(penalty_amount + pending_penalty_amount, precision)
-	amounts["payable_amount"] = flt(
-		payable_principal_amount + total_pending_interest + penalty_amount, precision
-	)
-	amounts["pending_accrual_entries"] = pending_accrual_entries
-	amounts["unaccrued_interest"] = flt(unaccrued_interest, precision)
-	amounts["written_off_amount"] = flt(against_loan_doc.written_off_amount, precision)
-
-	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,
-		"unaccrued_interest": 0.0,
-		"due_date": "",
-	}
-
-	amounts = get_amounts(amounts, against_loan, posting_date)
-
-	# update values for closure
-	if payment_type == "Loan Closure":
-		amounts["payable_principal_amount"] = amounts["pending_principal_amount"]
-		amounts["interest_amount"] += amounts["unaccrued_interest"]
-		amounts["payable_amount"] = (
-			amounts["payable_principal_amount"] + amounts["interest_amount"] + amounts["penalty_amount"]
-		)
-
-	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
deleted file mode 100644
index 98e5a0a..0000000
--- a/erpnext/loan_management/doctype/loan_repayment/test_loan_repayment.py
+++ /dev/null
@@ -1,9 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
-# See license.txt
-
-# import frappe
-import unittest
-
-
-class TestLoanRepayment(unittest.TestCase):
-	pass
diff --git a/erpnext/loan_management/doctype/loan_repayment_detail/__init__.py b/erpnext/loan_management/doctype/loan_repayment_detail/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/doctype/loan_repayment_detail/__init__.py
+++ /dev/null
diff --git a/erpnext/loan_management/doctype/loan_repayment_detail/loan_repayment_detail.json b/erpnext/loan_management/doctype/loan_repayment_detail/loan_repayment_detail.json
deleted file mode 100644
index 4b9b191..0000000
--- a/erpnext/loan_management/doctype/loan_repayment_detail/loan_repayment_detail.json
+++ /dev/null
@@ -1,53 +0,0 @@
-{
- "actions": [],
- "creation": "2020-04-15 18:31:54.026923",
- "doctype": "DocType",
- "editable_grid": 1,
- "engine": "InnoDB",
- "field_order": [
-  "loan_interest_accrual",
-  "paid_principal_amount",
-  "paid_interest_amount",
-  "accrual_type"
- ],
- "fields": [
-  {
-   "fieldname": "loan_interest_accrual",
-   "fieldtype": "Link",
-   "label": "Loan Interest Accrual",
-   "options": "Loan Interest Accrual"
-  },
-  {
-   "fieldname": "paid_principal_amount",
-   "fieldtype": "Currency",
-   "label": "Paid Principal Amount",
-   "options": "Company:company:default_currency"
-  },
-  {
-   "fieldname": "paid_interest_amount",
-   "fieldtype": "Currency",
-   "label": "Paid Interest Amount",
-   "options": "Company:company:default_currency"
-  },
-  {
-   "fetch_from": "loan_interest_accrual.accrual_type",
-   "fetch_if_empty": 1,
-   "fieldname": "accrual_type",
-   "fieldtype": "Select",
-   "label": "Accrual Type",
-   "options": "Regular\nRepayment\nDisbursement"
-  }
- ],
- "index_web_pages_for_search": 1,
- "istable": 1,
- "links": [],
- "modified": "2020-10-23 08:09:18.267030",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Loan Repayment Detail",
- "owner": "Administrator",
- "permissions": [],
- "sort_field": "modified",
- "sort_order": "DESC",
- "track_changes": 1
-}
\ No newline at end of file
diff --git a/erpnext/loan_management/doctype/loan_repayment_detail/loan_repayment_detail.py b/erpnext/loan_management/doctype/loan_repayment_detail/loan_repayment_detail.py
deleted file mode 100644
index 495b686..0000000
--- a/erpnext/loan_management/doctype/loan_repayment_detail/loan_repayment_detail.py
+++ /dev/null
@@ -1,10 +0,0 @@
-# Copyright (c) 2020, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-
-# import frappe
-from frappe.model.document import Document
-
-
-class LoanRepaymentDetail(Document):
-	pass
diff --git a/erpnext/loan_management/doctype/loan_security/__init__.py b/erpnext/loan_management/doctype/loan_security/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/doctype/loan_security/__init__.py
+++ /dev/null
diff --git a/erpnext/loan_management/doctype/loan_security/loan_security.js b/erpnext/loan_management/doctype/loan_security/loan_security.js
deleted file mode 100644
index 0e815af..0000000
--- a/erpnext/loan_management/doctype/loan_security/loan_security.js
+++ /dev/null
@@ -1,8 +0,0 @@
-// 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
deleted file mode 100644
index c698601..0000000
--- a/erpnext/loan_management/doctype/loan_security/loan_security.json
+++ /dev/null
@@ -1,105 +0,0 @@
-{
- "actions": [],
- "allow_rename": 1,
- "creation": "2019-09-02 15:07:08.885593",
- "doctype": "DocType",
- "editable_grid": 1,
- "engine": "InnoDB",
- "field_order": [
-  "loan_security_name",
-  "haircut",
-  "loan_security_code",
-  "column_break_3",
-  "loan_security_type",
-  "unit_of_measure",
-  "disabled"
- ],
- "fields": [
-  {
-   "fieldname": "loan_security_name",
-   "fieldtype": "Data",
-   "in_list_view": 1,
-   "label": "Loan Security Name",
-   "reqd": 1,
-   "unique": 1
-  },
-  {
-   "fetch_from": "loan_security_type.haircut",
-   "fetch_if_empty": 1,
-   "fieldname": "haircut",
-   "fieldtype": "Percent",
-   "label": "Haircut %"
-  },
-  {
-   "fieldname": "column_break_3",
-   "fieldtype": "Column Break"
-  },
-  {
-   "fieldname": "loan_security_type",
-   "fieldtype": "Link",
-   "in_list_view": 1,
-   "label": "Loan Security Type",
-   "options": "Loan Security Type",
-   "reqd": 1
-  },
-  {
-   "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",
-   "in_list_view": 1,
-   "label": "Unit Of Measure",
-   "options": "UOM",
-   "read_only": 1,
-   "reqd": 1
-  }
- ],
- "index_web_pages_for_search": 1,
- "links": [],
- "modified": "2020-10-26 07:34:48.601766",
- "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
-  }
- ],
- "search_fields": "loan_security_code",
- "sort_field": "modified",
- "sort_order": "DESC",
- "track_changes": 1
-}
\ No newline at end of file
diff --git a/erpnext/loan_management/doctype/loan_security/loan_security.py b/erpnext/loan_management/doctype/loan_security/loan_security.py
deleted file mode 100644
index 8087fc5..0000000
--- a/erpnext/loan_management/doctype/loan_security/loan_security.py
+++ /dev/null
@@ -1,11 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-
-# import frappe
-from frappe.model.document import Document
-
-
-class LoanSecurity(Document):
-	def autoname(self):
-		self.name = self.loan_security_name
diff --git a/erpnext/loan_management/doctype/loan_security/loan_security_dashboard.py b/erpnext/loan_management/doctype/loan_security/loan_security_dashboard.py
deleted file mode 100644
index 1d96885..0000000
--- a/erpnext/loan_management/doctype/loan_security/loan_security_dashboard.py
+++ /dev/null
@@ -1,8 +0,0 @@
-def get_data():
-	return {
-		"fieldname": "loan_security",
-		"transactions": [
-			{"items": ["Loan Application", "Loan Security Price"]},
-			{"items": ["Loan Security Pledge", "Loan Security Unpledge"]},
-		],
-	}
diff --git a/erpnext/loan_management/doctype/loan_security/test_loan_security.py b/erpnext/loan_management/doctype/loan_security/test_loan_security.py
deleted file mode 100644
index 7e702ed..0000000
--- a/erpnext/loan_management/doctype/loan_security/test_loan_security.py
+++ /dev/null
@@ -1,9 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
-# See license.txt
-
-# import frappe
-import unittest
-
-
-class TestLoanSecurity(unittest.TestCase):
-	pass
diff --git a/erpnext/loan_management/doctype/loan_security_pledge/__init__.py b/erpnext/loan_management/doctype/loan_security_pledge/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/doctype/loan_security_pledge/__init__.py
+++ /dev/null
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
deleted file mode 100644
index 48ca392..0000000
--- a/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.js
+++ /dev/null
@@ -1,43 +0,0 @@
-// 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];
-
-		if (row.loan_security) {
-			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);
-	},
-});
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
deleted file mode 100644
index 68bac8e..0000000
--- a/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.json
+++ /dev/null
@@ -1,245 +0,0 @@
-{
- "actions": [],
- "autoname": "LS-.{applicant}.-.#####",
- "creation": "2019-08-29 18:48:51.371674",
- "doctype": "DocType",
- "editable_grid": 1,
- "engine": "InnoDB",
- "field_order": [
-  "loan_details_section",
-  "applicant_type",
-  "applicant",
-  "loan",
-  "loan_application",
-  "column_break_3",
-  "company",
-  "pledge_time",
-  "status",
-  "loan_security_details_section",
-  "securities",
-  "section_break_10",
-  "total_security_value",
-  "column_break_11",
-  "maximum_loan_value",
-  "more_information_section",
-  "reference_no",
-  "column_break_18",
-  "description",
-  "amended_from"
- ],
- "fields": [
-  {
-   "fieldname": "amended_from",
-   "fieldtype": "Link",
-   "label": "Amended From",
-   "no_copy": 1,
-   "options": "Loan Security Pledge",
-   "print_hide": 1,
-   "read_only": 1,
-   "show_days": 1,
-   "show_seconds": 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,
-   "show_days": 1,
-   "show_seconds": 1
-  },
-  {
-   "fieldname": "loan_security_details_section",
-   "fieldtype": "Section Break",
-   "label": "Loan Security Details",
-   "show_days": 1,
-   "show_seconds": 1
-  },
-  {
-   "fieldname": "column_break_3",
-   "fieldtype": "Column Break",
-   "show_days": 1,
-   "show_seconds": 1
-  },
-  {
-   "fieldname": "loan",
-   "fieldtype": "Link",
-   "label": "Loan",
-   "options": "Loan",
-   "show_days": 1,
-   "show_seconds": 1
-  },
-  {
-   "fieldname": "loan_application",
-   "fieldtype": "Link",
-   "label": "Loan Application",
-   "options": "Loan Application",
-   "show_days": 1,
-   "show_seconds": 1
-  },
-  {
-   "fieldname": "total_security_value",
-   "fieldtype": "Currency",
-   "label": "Total Security Value",
-   "options": "Company:company:default_currency",
-   "read_only": 1,
-   "show_days": 1,
-   "show_seconds": 1
-  },
-  {
-   "fieldname": "maximum_loan_value",
-   "fieldtype": "Currency",
-   "label": "Maximum Loan Value",
-   "options": "Company:company:default_currency",
-   "read_only": 1,
-   "show_days": 1,
-   "show_seconds": 1
-  },
-  {
-   "fieldname": "loan_details_section",
-   "fieldtype": "Section Break",
-   "label": "Loan  Details",
-   "show_days": 1,
-   "show_seconds": 1
-  },
-  {
-   "default": "Requested",
-   "fieldname": "status",
-   "fieldtype": "Select",
-   "in_list_view": 1,
-   "in_standard_filter": 1,
-   "label": "Status",
-   "options": "Requested\nUnpledged\nPledged\nPartially Pledged\nCancelled",
-   "read_only": 1,
-   "show_days": 1,
-   "show_seconds": 1
-  },
-  {
-   "fieldname": "pledge_time",
-   "fieldtype": "Datetime",
-   "label": "Pledge Time",
-   "read_only": 1,
-   "show_days": 1,
-   "show_seconds": 1
-  },
-  {
-   "fieldname": "securities",
-   "fieldtype": "Table",
-   "label": "Securities",
-   "options": "Pledge",
-   "reqd": 1,
-   "show_days": 1,
-   "show_seconds": 1
-  },
-  {
-   "fieldname": "column_break_11",
-   "fieldtype": "Column Break",
-   "show_days": 1,
-   "show_seconds": 1
-  },
-  {
-   "fieldname": "section_break_10",
-   "fieldtype": "Section Break",
-   "label": "Totals",
-   "show_days": 1,
-   "show_seconds": 1
-  },
-  {
-   "fieldname": "company",
-   "fieldtype": "Link",
-   "label": "Company",
-   "options": "Company",
-   "reqd": 1,
-   "show_days": 1,
-   "show_seconds": 1
-  },
-  {
-   "fetch_from": "loan.applicant_type",
-   "fieldname": "applicant_type",
-   "fieldtype": "Select",
-   "label": "Applicant Type",
-   "options": "Employee\nMember\nCustomer",
-   "reqd": 1,
-   "show_days": 1,
-   "show_seconds": 1
-  },
-  {
-   "collapsible": 1,
-   "fieldname": "more_information_section",
-   "fieldtype": "Section Break",
-   "label": "More Information",
-   "show_days": 1,
-   "show_seconds": 1
-  },
-  {
-   "allow_on_submit": 1,
-   "fieldname": "reference_no",
-   "fieldtype": "Data",
-   "label": "Reference No",
-   "show_days": 1,
-   "show_seconds": 1
-  },
-  {
-   "fieldname": "column_break_18",
-   "fieldtype": "Column Break",
-   "show_days": 1,
-   "show_seconds": 1
-  },
-  {
-   "allow_on_submit": 1,
-   "fieldname": "description",
-   "fieldtype": "Text",
-   "label": "Description",
-   "show_days": 1,
-   "show_seconds": 1
-  }
- ],
- "index_web_pages_for_search": 1,
- "is_submittable": 1,
- "links": [],
- "modified": "2021-06-29 17:15:16.082256",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Loan Security Pledge",
- "owner": "Administrator",
- "permissions": [
-  {
-   "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,
-   "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
deleted file mode 100644
index f0d5954..0000000
--- a/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py
+++ /dev/null
@@ -1,111 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-
-import frappe
-from frappe import _
-from frappe.model.document import Document
-from frappe.utils import cint, now_datetime
-
-from erpnext.loan_management.doctype.loan_security_price.loan_security_price import (
-	get_loan_security_price,
-)
-from erpnext.loan_management.doctype.loan_security_shortfall.loan_security_shortfall import (
-	update_shortfall_status,
-)
-
-
-class LoanSecurityPledge(Document):
-	def validate(self):
-		self.set_pledge_amount()
-		self.validate_duplicate_securities()
-		self.validate_loan_security_type()
-
-	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 on_cancel(self):
-		if self.loan:
-			self.db_set("status", "Cancelled")
-			self.db_set("pledge_time", None)
-			update_loan(self.loan, self.maximum_loan_value, cancel=1)
-
-	def validate_duplicate_securities(self):
-		security_list = []
-		for security in self.securities:
-			if security.loan_security not in security_list:
-				security_list.append(security.loan_security)
-			else:
-				frappe.throw(
-					_("Loan Security {0} added multiple times").format(frappe.bold(security.loan_security))
-				)
-
-	def validate_loan_security_type(self):
-		existing_pledge = ""
-
-		if self.loan:
-			existing_pledge = frappe.db.get_value(
-				"Loan Security Pledge", {"loan": self.loan, "docstatus": 1}, ["name"]
-			)
-
-		if existing_pledge:
-			loan_security_type = frappe.db.get_value(
-				"Pledge", {"parent": existing_pledge}, ["loan_security_type"]
-			)
-		else:
-			loan_security_type = self.securities[0].loan_security_type
-
-		ltv_ratio_map = frappe._dict(
-			frappe.get_all("Loan Security Type", fields=["name", "loan_to_value_ratio"], as_list=1)
-		)
-
-		ltv_ratio = ltv_ratio_map.get(loan_security_type)
-
-		for security in self.securities:
-			if ltv_ratio_map.get(security.loan_security_type) != ltv_ratio:
-				frappe.throw(_("Loan Securities with different LTV ratio cannot be pledged against one loan"))
-
-	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 mandatory for loan security!"))
-
-			if not (self.loan_application and pledge.loan_security_price):
-				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, cancel=0):
-	maximum_loan_value = frappe.db.get_value("Loan", {"name": loan}, ["maximum_loan_amount"])
-
-	if cancel:
-		frappe.db.sql(
-			""" UPDATE `tabLoan` SET maximum_loan_amount=%s
-			WHERE name=%s""",
-			(maximum_loan_value - maximum_value_against_pledge, loan),
-		)
-	else:
-		frappe.db.sql(
-			""" UPDATE `tabLoan` SET maximum_loan_amount=%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
deleted file mode 100644
index 174d1b0..0000000
--- a/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge_list.js
+++ /dev/null
@@ -1,15 +0,0 @@
-// 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
deleted file mode 100644
index b9d05c2..0000000
--- a/erpnext/loan_management/doctype/loan_security_pledge/test_loan_security_pledge.py
+++ /dev/null
@@ -1,9 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
-# See license.txt
-
-# import frappe
-import unittest
-
-
-class TestLoanSecurityPledge(unittest.TestCase):
-	pass
diff --git a/erpnext/loan_management/doctype/loan_security_price/__init__.py b/erpnext/loan_management/doctype/loan_security_price/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/doctype/loan_security_price/__init__.py
+++ /dev/null
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
deleted file mode 100644
index 31b4ec7..0000000
--- a/erpnext/loan_management/doctype/loan_security_price/loan_security_price.js
+++ /dev/null
@@ -1,8 +0,0 @@
-// 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
deleted file mode 100644
index b6e8763..0000000
--- a/erpnext/loan_management/doctype/loan_security_price/loan_security_price.json
+++ /dev/null
@@ -1,129 +0,0 @@
-{
- "actions": [],
- "autoname": "LM-LSP-.####",
- "creation": "2019-09-03 18:20:31.382887",
- "doctype": "DocType",
- "editable_grid": 1,
- "engine": "InnoDB",
- "field_order": [
-  "loan_security",
-  "loan_security_name",
-  "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",
-   "options": "Company:company:default_currency",
-   "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
-  },
-  {
-   "fetch_from": "loan_security.loan_security_name",
-   "fieldname": "loan_security_name",
-   "fieldtype": "Data",
-   "label": "Loan Security Name",
-   "read_only": 1
-  }
- ],
- "index_web_pages_for_search": 1,
- "links": [],
- "modified": "2021-01-17 07:41:49.598086",
- "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
deleted file mode 100644
index 45c4459..0000000
--- a/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py
+++ /dev/null
@@ -1,55 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-
-import frappe
-from frappe import _
-from frappe.model.document import Document
-from frappe.utils import get_datetime
-
-
-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 Loan Security Price 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
deleted file mode 100644
index aa533d9..0000000
--- a/erpnext/loan_management/doctype/loan_security_price/test_loan_security_price.py
+++ /dev/null
@@ -1,9 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
-# See license.txt
-
-# import frappe
-import unittest
-
-
-class TestLoanSecurityPrice(unittest.TestCase):
-	pass
diff --git a/erpnext/loan_management/doctype/loan_security_shortfall/__init__.py b/erpnext/loan_management/doctype/loan_security_shortfall/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/doctype/loan_security_shortfall/__init__.py
+++ /dev/null
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
deleted file mode 100644
index f26c138..0000000
--- a/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js
+++ /dev/null
@@ -1,25 +0,0 @@
-// 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
deleted file mode 100644
index d4007cb..0000000
--- a/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.json
+++ /dev/null
@@ -1,159 +0,0 @@
-{
- "actions": [],
- "autoname": "LM-LSS-.#####",
- "creation": "2019-09-06 11:33:34.709540",
- "doctype": "DocType",
- "editable_grid": 1,
- "engine": "InnoDB",
- "field_order": [
-  "loan",
-  "applicant_type",
-  "applicant",
-  "status",
-  "column_break_3",
-  "shortfall_time",
-  "section_break_3",
-  "loan_amount",
-  "shortfall_amount",
-  "column_break_8",
-  "security_value",
-  "shortfall_percentage",
-  "section_break_8",
-  "process_loan_security_shortfall"
- ],
- "fields": [
-  {
-   "fieldname": "loan",
-   "fieldtype": "Link",
-   "in_list_view": 1,
-   "in_standard_filter": 1,
-   "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"
-  },
-  {
-   "fieldname": "shortfall_percentage",
-   "fieldtype": "Percent",
-   "in_list_view": 1,
-   "label": "Shortfall Percentage",
-   "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",
-   "in_list_view": 1,
-   "in_standard_filter": 1,
-   "label": "Applicant",
-   "options": "applicant_type"
-  }
- ],
- "in_create": 1,
- "index_web_pages_for_search": 1,
- "links": [],
- "modified": "2022-06-30 11:57:09.378089",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Loan Security Shortfall",
- "naming_rule": "Expression (old style)",
- "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",
- "states": [],
- "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
deleted file mode 100644
index b901e62..0000000
--- a/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.py
+++ /dev/null
@@ -1,175 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-
-import frappe
-from frappe.model.document import Document
-from frappe.utils import flt, get_datetime
-
-from erpnext.loan_management.doctype.loan_security_unpledge.loan_security_unpledge import (
-	get_pledged_security_qty,
-)
-
-
-class LoanSecurityShortfall(Document):
-	pass
-
-
-def update_shortfall_status(loan, security_value, on_cancel=0):
-	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",
-				"shortfall_amount": loan_security_shortfall.shortfall_amount,
-				"shortfall_percentage": 0,
-			},
-		)
-	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):
-
-	update_time = get_datetime()
-
-	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,
-		)
-	)
-
-	loans = frappe.get_all(
-		"Loan",
-		fields=[
-			"name",
-			"loan_amount",
-			"total_principal_paid",
-			"total_payment",
-			"total_interest_payable",
-			"disbursed_amount",
-			"status",
-		],
-		filters={"status": ("in", ["Disbursed", "Partially Disbursed"]), "is_secured_loan": 1},
-	)
-
-	loan_shortfall_map = frappe._dict(
-		frappe.get_all(
-			"Loan Security Shortfall", fields=["loan", "name"], filters={"status": "Pending"}, as_list=1
-		)
-	)
-
-	loan_security_map = {}
-
-	for loan in loans:
-		if loan.status == "Disbursed":
-			outstanding_amount = (
-				flt(loan.total_payment) - flt(loan.total_interest_payable) - flt(loan.total_principal_paid)
-			)
-		else:
-			outstanding_amount = (
-				flt(loan.disbursed_amount) - flt(loan.total_interest_payable) - flt(loan.total_principal_paid)
-			)
-
-		pledged_securities = get_pledged_security_qty(loan.name)
-		ltv_ratio = 0.0
-		security_value = 0.0
-
-		for security, qty in pledged_securities.items():
-			if not ltv_ratio:
-				ltv_ratio = get_ltv_ratio(security)
-			security_value += flt(loan_security_price_map.get(security)) * flt(qty)
-
-		current_ratio = (outstanding_amount / security_value) * 100 if security_value else 0
-
-		if current_ratio > ltv_ratio:
-			shortfall_amount = outstanding_amount - ((security_value * ltv_ratio) / 100)
-			create_loan_security_shortfall(
-				loan.name,
-				outstanding_amount,
-				security_value,
-				shortfall_amount,
-				current_ratio,
-				process_loan_security_shortfall,
-			)
-		elif loan_shortfall_map.get(loan.name):
-			shortfall_amount = outstanding_amount - ((security_value * ltv_ratio) / 100)
-			if shortfall_amount <= 0:
-				shortfall = loan_shortfall_map.get(loan.name)
-				update_pending_shortfall(shortfall)
-
-
-def create_loan_security_shortfall(
-	loan,
-	loan_amount,
-	security_value,
-	shortfall_amount,
-	shortfall_ratio,
-	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 = loan_amount
-	ltv_shortfall.security_value = security_value
-	ltv_shortfall.shortfall_amount = shortfall_amount
-	ltv_shortfall.shortfall_percentage = shortfall_ratio
-	ltv_shortfall.process_loan_security_shortfall = process_loan_security_shortfall
-	ltv_shortfall.save()
-
-
-def get_ltv_ratio(loan_security):
-	loan_security_type = frappe.db.get_value("Loan Security", loan_security, "loan_security_type")
-	ltv_ratio = frappe.db.get_value("Loan Security Type", loan_security_type, "loan_to_value_ratio")
-	return ltv_ratio
-
-
-def update_pending_shortfall(shortfall):
-	# Get all pending loan security shortfall
-	frappe.db.set_value(
-		"Loan Security Shortfall",
-		shortfall,
-		{"status": "Completed", "shortfall_amount": 0, "shortfall_percentage": 0},
-	)
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
deleted file mode 100644
index 58bf974..0000000
--- a/erpnext/loan_management/doctype/loan_security_shortfall/test_loan_security_shortfall.py
+++ /dev/null
@@ -1,9 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
-# See license.txt
-
-# import frappe
-import unittest
-
-
-class TestLoanSecurityShortfall(unittest.TestCase):
-	pass
diff --git a/erpnext/loan_management/doctype/loan_security_type/__init__.py b/erpnext/loan_management/doctype/loan_security_type/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/doctype/loan_security_type/__init__.py
+++ /dev/null
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
deleted file mode 100644
index 3a1e068..0000000
--- a/erpnext/loan_management/doctype/loan_security_type/loan_security_type.js
+++ /dev/null
@@ -1,8 +0,0 @@
-// 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
deleted file mode 100644
index 871e825..0000000
--- a/erpnext/loan_management/doctype/loan_security_type/loan_security_type.json
+++ /dev/null
@@ -1,92 +0,0 @@
-{
- "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",
-  "column_break_5",
-  "loan_to_value_ratio",
-  "disabled"
- ],
- "fields": [
-  {
-   "default": "0",
-   "fieldname": "disabled",
-   "fieldtype": "Check",
-   "label": "Disabled"
-  },
-  {
-   "fieldname": "loan_security_type",
-   "fieldtype": "Data",
-   "in_list_view": 1,
-   "label": "Loan Security Type",
-   "reqd": 1,
-   "unique": 1
-  },
-  {
-   "description": "Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.",
-   "fieldname": "haircut",
-   "fieldtype": "Percent",
-   "label": "Haircut %"
-  },
-  {
-   "fieldname": "unit_of_measure",
-   "fieldtype": "Link",
-   "in_list_view": 1,
-   "label": "Unit Of Measure",
-   "options": "UOM",
-   "reqd": 1
-  },
-  {
-   "fieldname": "column_break_5",
-   "fieldtype": "Column Break"
-  },
-  {
-   "description": "Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ",
-   "fieldname": "loan_to_value_ratio",
-   "fieldtype": "Percent",
-   "label": "Loan To Value Ratio"
-  }
- ],
- "links": [],
- "modified": "2020-05-16 09:38:45.988080",
- "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
deleted file mode 100644
index af87259..0000000
--- a/erpnext/loan_management/doctype/loan_security_type/loan_security_type.py
+++ /dev/null
@@ -1,10 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-
-# 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
deleted file mode 100644
index 8fc4520..0000000
--- a/erpnext/loan_management/doctype/loan_security_type/loan_security_type_dashboard.py
+++ /dev/null
@@ -1,8 +0,0 @@
-def get_data():
-	return {
-		"fieldname": "loan_security_type",
-		"transactions": [
-			{"items": ["Loan Security", "Loan Security Price"]},
-			{"items": ["Loan Security Pledge", "Loan Security Unpledge"]},
-		],
-	}
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
deleted file mode 100644
index cf7a335..0000000
--- a/erpnext/loan_management/doctype/loan_security_type/test_loan_security_type.py
+++ /dev/null
@@ -1,9 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
-# See license.txt
-
-# import frappe
-import unittest
-
-
-class TestLoanSecurityType(unittest.TestCase):
-	pass
diff --git a/erpnext/loan_management/doctype/loan_security_unpledge/__init__.py b/erpnext/loan_management/doctype/loan_security_unpledge/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/doctype/loan_security_unpledge/__init__.py
+++ /dev/null
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
deleted file mode 100644
index 8223206..0000000
--- a/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.js
+++ /dev/null
@@ -1,11 +0,0 @@
-// 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) {
-
-		if (frm.doc.docstatus == 1 && frm.doc.status == 'Approved') {
-			frm.set_df_property('status', 'read_only', 1);
-		}
-	}
-});
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
deleted file mode 100644
index 92923bb..0000000
--- a/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.json
+++ /dev/null
@@ -1,183 +0,0 @@
-{
- "actions": [],
- "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",
-  "more_information_section",
-  "reference_no",
-  "column_break_13",
-  "description",
-  "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",
-   "depends_on": "eval:doc.docstatus == 1",
-   "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": "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
-  },
-  {
-   "collapsible": 1,
-   "fieldname": "more_information_section",
-   "fieldtype": "Section Break",
-   "label": "More Information"
-  },
-  {
-   "allow_on_submit": 1,
-   "fieldname": "reference_no",
-   "fieldtype": "Data",
-   "label": "Reference No"
-  },
-  {
-   "fieldname": "column_break_13",
-   "fieldtype": "Column Break"
-  },
-  {
-   "allow_on_submit": 1,
-   "fieldname": "description",
-   "fieldtype": "Text",
-   "label": "Description"
-  }
- ],
- "index_web_pages_for_search": 1,
- "is_submittable": 1,
- "links": [],
- "modified": "2021-04-19 18:12:01.401744",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Loan Security Unpledge",
- "owner": "Administrator",
- "permissions": [
-  {
-   "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,
-   "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
deleted file mode 100644
index 15a9c4a..0000000
--- a/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py
+++ /dev/null
@@ -1,179 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-
-import frappe
-from frappe import _
-from frappe.model.document import Document
-from frappe.utils import flt, get_datetime, getdate
-
-
-class LoanSecurityUnpledge(Document):
-	def validate(self):
-		self.validate_duplicate_securities()
-		self.validate_unpledge_qty()
-
-	def on_cancel(self):
-		self.update_loan_status(cancel=1)
-		self.db_set("status", "Requested")
-
-	def validate_duplicate_securities(self):
-		security_list = []
-		for d in self.securities:
-			if d.loan_security not in security_list:
-				security_list.append(d.loan_security)
-			else:
-				frappe.throw(
-					_("Row {0}: Loan Security {1} added multiple times").format(
-						d.idx, frappe.bold(d.loan_security)
-					)
-				)
-
-	def validate_unpledge_qty(self):
-		from erpnext.loan_management.doctype.loan_repayment.loan_repayment import (
-			get_pending_principal_amount,
-		)
-		from erpnext.loan_management.doctype.loan_security_shortfall.loan_security_shortfall import (
-			get_ltv_ratio,
-		)
-
-		pledge_qty_map = get_pledged_security_qty(self.loan)
-
-		ltv_ratio_map = frappe._dict(
-			frappe.get_all("Loan Security Type", fields=["name", "loan_to_value_ratio"], as_list=1)
-		)
-
-		loan_security_price_map = frappe._dict(
-			frappe.get_all(
-				"Loan Security Price",
-				fields=["loan_security", "loan_security_price"],
-				filters={"valid_from": ("<=", get_datetime()), "valid_upto": (">=", get_datetime())},
-				as_list=1,
-			)
-		)
-
-		loan_details = frappe.get_value(
-			"Loan",
-			self.loan,
-			[
-				"total_payment",
-				"debit_adjustment_amount",
-				"credit_adjustment_amount",
-				"refund_amount",
-				"total_principal_paid",
-				"loan_amount",
-				"total_interest_payable",
-				"written_off_amount",
-				"disbursed_amount",
-				"status",
-			],
-			as_dict=1,
-		)
-
-		pending_principal_amount = get_pending_principal_amount(loan_details)
-
-		security_value = 0
-		unpledge_qty_map = {}
-		ltv_ratio = 0
-
-		for security in self.securities:
-			pledged_qty = pledge_qty_map.get(security.loan_security, 0)
-			if security.qty > pledged_qty:
-				msg = _("Row {0}: {1} {2} of {3} is pledged against Loan {4}.").format(
-					security.idx,
-					pledged_qty,
-					security.uom,
-					frappe.bold(security.loan_security),
-					frappe.bold(self.loan),
-				)
-				msg += "<br>"
-				msg += _("You are trying to unpledge more.")
-				frappe.throw(msg, title=_("Loan Security Unpledge Error"))
-
-			unpledge_qty_map.setdefault(security.loan_security, 0)
-			unpledge_qty_map[security.loan_security] += security.qty
-
-		for security in pledge_qty_map:
-			if not ltv_ratio:
-				ltv_ratio = get_ltv_ratio(security)
-
-			qty_after_unpledge = pledge_qty_map.get(security, 0) - unpledge_qty_map.get(security, 0)
-			current_price = loan_security_price_map.get(security)
-			security_value += qty_after_unpledge * current_price
-
-		if not security_value and flt(pending_principal_amount, 2) > 0:
-			self._throw(security_value, pending_principal_amount, ltv_ratio)
-
-		if security_value and flt(pending_principal_amount / security_value) * 100 > ltv_ratio:
-			self._throw(security_value, pending_principal_amount, ltv_ratio)
-
-	def _throw(self, security_value, pending_principal_amount, ltv_ratio):
-		msg = _("Loan Security Value after unpledge is {0}").format(frappe.bold(security_value))
-		msg += "<br>"
-		msg += _("Pending principal amount is {0}").format(frappe.bold(flt(pending_principal_amount, 2)))
-		msg += "<br>"
-		msg += _("Loan To Security Value ratio must always be {0}").format(frappe.bold(ltv_ratio))
-		frappe.throw(msg, title=_("Loan To Value ratio breach"))
-
-	def on_update_after_submit(self):
-		self.approve()
-
-	def approve(self):
-		if self.status == "Approved" and not self.unpledge_time:
-			self.update_loan_status()
-			self.db_set("unpledge_time", get_datetime())
-
-	def update_loan_status(self, cancel=0):
-		if cancel:
-			loan_status = frappe.get_value("Loan", self.loan, "status")
-			if loan_status == "Closed":
-				frappe.db.set_value("Loan", self.loan, "status", "Loan Closure Requested")
-		else:
-			pledged_qty = 0
-			current_pledges = get_pledged_security_qty(self.loan)
-
-			for security, qty in current_pledges.items():
-				pledged_qty += qty
-
-			if not pledged_qty:
-				frappe.db.set_value("Loan", self.loan, {"status": "Closed", "closure_date": getdate()})
-
-
-@frappe.whitelist()
-def get_pledged_security_qty(loan):
-
-	current_pledges = {}
-
-	unpledges = frappe._dict(
-		frappe.db.sql(
-			"""
-		SELECT u.loan_security, sum(u.qty) as qty
-		FROM `tabLoan Security Unpledge` up, `tabUnpledge` u
-		WHERE up.loan = %s
-		AND u.parent = up.name
-		AND up.status = 'Approved'
-		GROUP BY u.loan_security
-	""",
-			(loan),
-		)
-	)
-
-	pledges = frappe._dict(
-		frappe.db.sql(
-			"""
-		SELECT p.loan_security, sum(p.qty) as qty
-		FROM `tabLoan Security Pledge` lp, `tabPledge`p
-		WHERE lp.loan = %s
-		AND p.parent = lp.name
-		AND lp.status = 'Pledged'
-		GROUP BY p.loan_security
-	""",
-			(loan),
-		)
-	)
-
-	for security, qty in pledges.items():
-		current_pledges.setdefault(security, qty)
-		current_pledges[security] -= unpledges.get(security, 0.0)
-
-	return current_pledges
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
deleted file mode 100644
index 196ebbb..0000000
--- a/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge_list.js
+++ /dev/null
@@ -1,14 +0,0 @@
-// 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
deleted file mode 100644
index 2f124e4..0000000
--- a/erpnext/loan_management/doctype/loan_security_unpledge/test_loan_security_unpledge.py
+++ /dev/null
@@ -1,9 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
-# See license.txt
-
-# import frappe
-import unittest
-
-
-class TestLoanSecurityUnpledge(unittest.TestCase):
-	pass
diff --git a/erpnext/loan_management/doctype/loan_type/__init__.py b/erpnext/loan_management/doctype/loan_type/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/doctype/loan_type/__init__.py
+++ /dev/null
diff --git a/erpnext/loan_management/doctype/loan_type/loan_type.js b/erpnext/loan_management/doctype/loan_type/loan_type.js
deleted file mode 100644
index 9f9137c..0000000
--- a/erpnext/loan_management/doctype/loan_type/loan_type.js
+++ /dev/null
@@ -1,30 +0,0 @@
-// 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", "disbursement_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
deleted file mode 100644
index 5cc9464..0000000
--- a/erpnext/loan_management/doctype/loan_type/loan_type.json
+++ /dev/null
@@ -1,215 +0,0 @@
-{
- "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",
-  "write_off_amount",
-  "column_break_2",
-  "company",
-  "is_term_loan",
-  "disabled",
-  "repayment_schedule_type",
-  "repayment_date_on",
-  "description",
-  "account_details_section",
-  "mode_of_payment",
-  "disbursement_account",
-  "payment_account",
-  "column_break_12",
-  "loan_account",
-  "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"
-  },
-  {
-   "default": "0",
-   "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": "Repayment 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"
-  },
-  {
-   "description": "No. of days from due date until which penalty won't be charged in case of delay in loan repayment",
-   "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
-  },
-  {
-   "allow_on_submit": 1,
-   "description": "Loan Write Off will be automatically created on loan closure request if pending amount is below this limit",
-   "fieldname": "write_off_amount",
-   "fieldtype": "Currency",
-   "label": "Auto Write Off Amount ",
-   "options": "Company:company:default_currency"
-  },
-  {
-   "fieldname": "disbursement_account",
-   "fieldtype": "Link",
-   "label": "Disbursement Account",
-   "options": "Account",
-   "reqd": 1
-  },
-  {
-   "depends_on": "is_term_loan",
-   "description": "The schedule type that will be used for generating the term loan schedules (will affect the payment date and monthly repayment amount)",
-   "fieldname": "repayment_schedule_type",
-   "fieldtype": "Select",
-   "label": "Repayment Schedule Type",
-   "mandatory_depends_on": "is_term_loan",
-   "options": "\nMonthly as per repayment start date\nPro-rated calendar months"
-  },
-  {
-   "depends_on": "eval:doc.repayment_schedule_type == \"Pro-rated calendar months\"",
-   "description": "Select whether the repayment date should be the end of the current month or start of the upcoming month",
-   "fieldname": "repayment_date_on",
-   "fieldtype": "Select",
-   "label": "Repayment Date On",
-   "mandatory_depends_on": "eval:doc.repayment_schedule_type == \"Pro-rated calendar months\"",
-   "options": "\nStart of the next month\nEnd of the current month"
-  }
- ],
- "index_web_pages_for_search": 1,
- "is_submittable": 1,
- "links": [],
- "modified": "2022-10-22 17:43:03.954201",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Loan Type",
- "naming_rule": "By fieldname",
- "owner": "Administrator",
- "permissions": [
-  {
-   "amend": 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
-  },
-  {
-   "read": 1,
-   "role": "Employee"
-  }
- ],
- "sort_field": "modified",
- "sort_order": "DESC",
- "states": []
-}
\ 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
deleted file mode 100644
index 51ee05b..0000000
--- a/erpnext/loan_management/doctype/loan_type/loan_type.py
+++ /dev/null
@@ -1,31 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-
-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)
-					)
-				)
-
-		if self.get("loan_account") == self.get("payment_account"):
-			frappe.throw(_("Loan Account and Payment Account cannot be same"))
diff --git a/erpnext/loan_management/doctype/loan_type/loan_type_dashboard.py b/erpnext/loan_management/doctype/loan_type/loan_type_dashboard.py
deleted file mode 100644
index e2467c6..0000000
--- a/erpnext/loan_management/doctype/loan_type/loan_type_dashboard.py
+++ /dev/null
@@ -1,5 +0,0 @@
-def get_data():
-	return {
-		"fieldname": "loan_type",
-		"transactions": [{"items": ["Loan Repayment", "Loan"]}, {"items": ["Loan Application"]}],
-	}
diff --git a/erpnext/loan_management/doctype/loan_type/test_loan_type.py b/erpnext/loan_management/doctype/loan_type/test_loan_type.py
deleted file mode 100644
index e3b51e8..0000000
--- a/erpnext/loan_management/doctype/loan_type/test_loan_type.py
+++ /dev/null
@@ -1,9 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
-# See license.txt
-
-# import frappe
-import unittest
-
-
-class TestLoanType(unittest.TestCase):
-	pass
diff --git a/erpnext/loan_management/doctype/loan_write_off/__init__.py b/erpnext/loan_management/doctype/loan_write_off/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/doctype/loan_write_off/__init__.py
+++ /dev/null
diff --git a/erpnext/loan_management/doctype/loan_write_off/loan_write_off.js b/erpnext/loan_management/doctype/loan_write_off/loan_write_off.js
deleted file mode 100644
index 4e3319c..0000000
--- a/erpnext/loan_management/doctype/loan_write_off/loan_write_off.js
+++ /dev/null
@@ -1,36 +0,0 @@
-// Copyright (c) 2020, 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 Write Off', {
-	loan: function(frm) {
-		frm.trigger('show_pending_principal_amount');
-	},
-	onload: function(frm) {
-		frm.trigger('show_pending_principal_amount');
-	},
-	refresh: function(frm) {
-		frm.set_query('write_off_account', function(){
-			return {
-				filters: {
-					'company': frm.doc.company,
-					'root_type': 'Expense',
-					'is_group': 0
-				}
-			}
-		});
-	},
-	show_pending_principal_amount: function(frm) {
-		if (frm.doc.loan && frm.doc.docstatus === 0) {
-			frappe.db.get_value('Loan', frm.doc.loan, ['total_payment', 'total_interest_payable',
-				'total_principal_paid', 'written_off_amount'], function(values) {
-				frm.set_df_property('write_off_amount', 'description',
-					"Pending principal amount is " + cstr(flt(values.total_payment - values.total_interest_payable
-						- values.total_principal_paid - values.written_off_amount, 2)));
-				frm.refresh_field('write_off_amount');
-			});
-
-		}
-	}
-});
diff --git a/erpnext/loan_management/doctype/loan_write_off/loan_write_off.json b/erpnext/loan_management/doctype/loan_write_off/loan_write_off.json
deleted file mode 100644
index 4ca9ef1..0000000
--- a/erpnext/loan_management/doctype/loan_write_off/loan_write_off.json
+++ /dev/null
@@ -1,159 +0,0 @@
-{
- "actions": [],
- "autoname": "LM-WO-.#####",
- "creation": "2020-10-16 11:09:14.495066",
- "doctype": "DocType",
- "editable_grid": 1,
- "engine": "InnoDB",
- "field_order": [
-  "loan",
-  "applicant_type",
-  "applicant",
-  "column_break_3",
-  "company",
-  "posting_date",
-  "accounting_dimensions_section",
-  "cost_center",
-  "section_break_9",
-  "write_off_account",
-  "column_break_11",
-  "write_off_amount",
-  "amended_from"
- ],
- "fields": [
-  {
-   "fieldname": "loan",
-   "fieldtype": "Link",
-   "in_list_view": 1,
-   "label": "Loan",
-   "options": "Loan",
-   "reqd": 1
-  },
-  {
-   "default": "Today",
-   "fieldname": "posting_date",
-   "fieldtype": "Date",
-   "in_list_view": 1,
-   "label": "Posting Date",
-   "reqd": 1
-  },
-  {
-   "fieldname": "column_break_3",
-   "fieldtype": "Column Break"
-  },
-  {
-   "fetch_from": "loan.company",
-   "fieldname": "company",
-   "fieldtype": "Link",
-   "in_list_view": 1,
-   "label": "Company",
-   "options": "Company",
-   "read_only": 1,
-   "reqd": 1
-  },
-  {
-   "fetch_from": "loan.applicant_type",
-   "fieldname": "applicant_type",
-   "fieldtype": "Select",
-   "label": "Applicant Type",
-   "options": "Employee\nMember\nCustomer",
-   "read_only": 1
-  },
-  {
-   "fetch_from": "loan.applicant",
-   "fieldname": "applicant",
-   "fieldtype": "Dynamic Link",
-   "label": "Applicant ",
-   "options": "applicant_type",
-   "read_only": 1
-  },
-  {
-   "collapsible": 1,
-   "fieldname": "accounting_dimensions_section",
-   "fieldtype": "Section Break",
-   "label": "Accounting Dimensions"
-  },
-  {
-   "fieldname": "cost_center",
-   "fieldtype": "Link",
-   "label": "Cost Center",
-   "options": "Cost Center"
-  },
-  {
-   "fieldname": "section_break_9",
-   "fieldtype": "Section Break",
-   "label": "Write Off Details"
-  },
-  {
-   "fieldname": "write_off_account",
-   "fieldtype": "Link",
-   "in_list_view": 1,
-   "label": "Write Off Account",
-   "options": "Account",
-   "reqd": 1
-  },
-  {
-   "fieldname": "write_off_amount",
-   "fieldtype": "Currency",
-   "label": "Write Off Amount",
-   "options": "Company:company:default_currency",
-   "reqd": 1
-  },
-  {
-   "fieldname": "column_break_11",
-   "fieldtype": "Column Break"
-  },
-  {
-   "fieldname": "amended_from",
-   "fieldtype": "Link",
-   "label": "Amended From",
-   "no_copy": 1,
-   "options": "Loan Write Off",
-   "print_hide": 1,
-   "read_only": 1
-  }
- ],
- "index_web_pages_for_search": 1,
- "is_submittable": 1,
- "links": [],
- "modified": "2021-04-19 18:11:27.759862",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Loan Write Off",
- "owner": "Administrator",
- "permissions": [
-  {
-   "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,
-   "print": 1,
-   "read": 1,
-   "report": 1,
-   "role": "Loan Manager",
-   "share": 1,
-   "submit": 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/loan_write_off/loan_write_off.py b/erpnext/loan_management/doctype/loan_write_off/loan_write_off.py
deleted file mode 100644
index ae483f9..0000000
--- a/erpnext/loan_management/doctype/loan_write_off/loan_write_off.py
+++ /dev/null
@@ -1,109 +0,0 @@
-# Copyright (c) 2020, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-
-import frappe
-from frappe import _
-from frappe.utils import cint, flt, getdate
-
-import erpnext
-from erpnext.accounts.general_ledger import make_gl_entries
-from erpnext.controllers.accounts_controller import AccountsController
-from erpnext.loan_management.doctype.loan_repayment.loan_repayment import (
-	get_pending_principal_amount,
-)
-
-
-class LoanWriteOff(AccountsController):
-	def validate(self):
-		self.set_missing_values()
-		self.validate_write_off_amount()
-
-	def set_missing_values(self):
-		if not self.cost_center:
-			self.cost_center = erpnext.get_default_cost_center(self.company)
-
-	def validate_write_off_amount(self):
-		precision = cint(frappe.db.get_default("currency_precision")) or 2
-
-		loan_details = frappe.get_value(
-			"Loan",
-			self.loan,
-			[
-				"total_payment",
-				"debit_adjustment_amount",
-				"credit_adjustment_amount",
-				"refund_amount",
-				"total_principal_paid",
-				"loan_amount",
-				"total_interest_payable",
-				"written_off_amount",
-				"disbursed_amount",
-				"status",
-			],
-			as_dict=1,
-		)
-
-		pending_principal_amount = flt(get_pending_principal_amount(loan_details), precision)
-
-		if self.write_off_amount > pending_principal_amount:
-			frappe.throw(_("Write off amount cannot be greater than pending principal amount"))
-
-	def on_submit(self):
-		self.update_outstanding_amount()
-		self.make_gl_entries()
-
-	def on_cancel(self):
-		self.update_outstanding_amount(cancel=1)
-		self.ignore_linked_doctypes = ["GL Entry", "Payment Ledger Entry"]
-		self.make_gl_entries(cancel=1)
-
-	def update_outstanding_amount(self, cancel=0):
-		written_off_amount = frappe.db.get_value("Loan", self.loan, "written_off_amount")
-
-		if cancel:
-			written_off_amount -= self.write_off_amount
-		else:
-			written_off_amount += self.write_off_amount
-
-		frappe.db.set_value("Loan", self.loan, "written_off_amount", written_off_amount)
-
-	def make_gl_entries(self, cancel=0):
-		gl_entries = []
-		loan_details = frappe.get_doc("Loan", self.loan)
-
-		gl_entries.append(
-			self.get_gl_dict(
-				{
-					"account": self.write_off_account,
-					"against": loan_details.loan_account,
-					"debit": self.write_off_amount,
-					"debit_in_account_currency": self.write_off_amount,
-					"against_voucher_type": "Loan",
-					"against_voucher": self.loan,
-					"remarks": _("Against Loan:") + self.loan,
-					"cost_center": self.cost_center,
-					"posting_date": getdate(self.posting_date),
-				}
-			)
-		)
-
-		gl_entries.append(
-			self.get_gl_dict(
-				{
-					"account": loan_details.loan_account,
-					"party_type": loan_details.applicant_type,
-					"party": loan_details.applicant,
-					"against": self.write_off_account,
-					"credit": self.write_off_amount,
-					"credit_in_account_currency": self.write_off_amount,
-					"against_voucher_type": "Loan",
-					"against_voucher": self.loan,
-					"remarks": _("Against Loan:") + self.loan,
-					"cost_center": self.cost_center,
-					"posting_date": getdate(self.posting_date),
-				}
-			)
-		)
-
-		make_gl_entries(gl_entries, cancel=cancel, merge_entries=False)
diff --git a/erpnext/loan_management/doctype/loan_write_off/test_loan_write_off.py b/erpnext/loan_management/doctype/loan_write_off/test_loan_write_off.py
deleted file mode 100644
index 1494114..0000000
--- a/erpnext/loan_management/doctype/loan_write_off/test_loan_write_off.py
+++ /dev/null
@@ -1,9 +0,0 @@
-# Copyright (c) 2020, Frappe Technologies Pvt. Ltd. and Contributors
-# See license.txt
-
-# import frappe
-import unittest
-
-
-class TestLoanWriteOff(unittest.TestCase):
-	pass
diff --git a/erpnext/loan_management/doctype/pledge/__init__.py b/erpnext/loan_management/doctype/pledge/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/doctype/pledge/__init__.py
+++ /dev/null
diff --git a/erpnext/loan_management/doctype/pledge/pledge.js b/erpnext/loan_management/doctype/pledge/pledge.js
deleted file mode 100644
index fb6ab10..0000000
--- a/erpnext/loan_management/doctype/pledge/pledge.js
+++ /dev/null
@@ -1,8 +0,0 @@
-// 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
deleted file mode 100644
index c23479c..0000000
--- a/erpnext/loan_management/doctype/pledge/pledge.json
+++ /dev/null
@@ -1,110 +0,0 @@
-{
- "actions": [],
- "creation": "2019-09-09 17:06:16.756573",
- "doctype": "DocType",
- "editable_grid": 1,
- "engine": "InnoDB",
- "field_order": [
-  "loan_security",
-  "loan_security_name",
-  "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",
-   "non_negative": 1
-  },
-  {
-   "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
-  },
-  {
-   "fetch_from": "loan_security.loan_security_name",
-   "fieldname": "loan_security_name",
-   "fieldtype": "Data",
-   "label": "Loan Security Name",
-   "read_only": 1
-  }
- ],
- "istable": 1,
- "links": [],
- "modified": "2021-01-17 07:41:12.452514",
- "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/loan_management/doctype/pledge/pledge.py b/erpnext/loan_management/doctype/pledge/pledge.py
deleted file mode 100644
index f02ed95..0000000
--- a/erpnext/loan_management/doctype/pledge/pledge.py
+++ /dev/null
@@ -1,10 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-
-# import frappe
-from frappe.model.document import 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
deleted file mode 100644
index 2d3fd32..0000000
--- a/erpnext/loan_management/doctype/pledge/test_pledge.py
+++ /dev/null
@@ -1,9 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
-# See license.txt
-
-# import frappe
-import unittest
-
-
-class TestPledge(unittest.TestCase):
-	pass
diff --git a/erpnext/loan_management/doctype/process_loan_interest_accrual/__init__.py b/erpnext/loan_management/doctype/process_loan_interest_accrual/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/doctype/process_loan_interest_accrual/__init__.py
+++ /dev/null
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
deleted file mode 100644
index c596be2..0000000
--- a/erpnext/loan_management/doctype/process_loan_interest_accrual/process_loan_interest_accrual.js
+++ /dev/null
@@ -1,8 +0,0 @@
-// 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
deleted file mode 100644
index 7fc4736..0000000
--- a/erpnext/loan_management/doctype/process_loan_interest_accrual/process_loan_interest_accrual.json
+++ /dev/null
@@ -1,104 +0,0 @@
-{
- "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",
-  "process_type",
-  "accrual_type",
-  "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"
-  },
-  {
-   "fieldname": "process_type",
-   "fieldtype": "Data",
-   "hidden": 1,
-   "label": "Process Type",
-   "read_only": 1
-  },
-  {
-   "fieldname": "accrual_type",
-   "fieldtype": "Select",
-   "hidden": 1,
-   "label": "Accrual Type",
-   "options": "Regular\nRepayment\nDisbursement\nCredit Adjustment\nDebit Adjustment\nRefund",
-   "read_only": 1
-  }
- ],
- "index_web_pages_for_search": 1,
- "is_submittable": 1,
- "links": [],
- "modified": "2022-06-29 11:19:33.203088",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Process Loan Interest Accrual",
- "naming_rule": "Expression (old style)",
- "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
-  }
- ],
- "sort_field": "modified",
- "sort_order": "DESC",
- "states": [],
- "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
deleted file mode 100644
index 25c72d9..0000000
--- a/erpnext/loan_management/doctype/process_loan_interest_accrual/process_loan_interest_accrual.py
+++ /dev/null
@@ -1,82 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-
-import frappe
-from frappe.model.document import Document
-from frappe.utils import nowdate
-
-from erpnext.loan_management.doctype.loan_interest_accrual.loan_interest_accrual import (
-	make_accrual_interest_entry_for_demand_loans,
-	make_accrual_interest_entry_for_term_loans,
-)
-
-
-class ProcessLoanInterestAccrual(Document):
-	def on_submit(self):
-		open_loans = []
-
-		if self.loan:
-			loan_doc = frappe.get_doc("Loan", self.loan)
-			if loan_doc:
-				open_loans.append(loan_doc)
-
-		if (not self.loan or not loan_doc.is_term_loan) and self.process_type != "Term Loans":
-			make_accrual_interest_entry_for_demand_loans(
-				self.posting_date,
-				self.name,
-				open_loans=open_loans,
-				loan_type=self.loan_type,
-				accrual_type=self.accrual_type,
-			)
-
-		if (not self.loan or loan_doc.is_term_loan) and self.process_type != "Demand Loans":
-			make_accrual_interest_entry_for_term_loans(
-				self.posting_date,
-				self.name,
-				term_loan=self.loan,
-				loan_type=self.loan_type,
-				accrual_type=self.accrual_type,
-			)
-
-
-def process_loan_interest_accrual_for_demand_loans(
-	posting_date=None, loan_type=None, loan=None, accrual_type="Regular"
-):
-	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.process_type = "Demand Loans"
-	loan_process.loan = loan
-	loan_process.accrual_type = accrual_type
-
-	loan_process.submit()
-
-	return loan_process.name
-
-
-def process_loan_interest_accrual_for_term_loans(posting_date=None, loan_type=None, loan=None):
-
-	if not term_loan_accrual_pending(posting_date or nowdate(), loan=loan):
-		return
-
-	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.process_type = "Term Loans"
-	loan_process.loan = loan
-
-	loan_process.submit()
-
-	return loan_process.name
-
-
-def term_loan_accrual_pending(date, loan=None):
-	filters = {"payment_date": ("<=", date), "is_accrued": 0}
-
-	if loan:
-		filters.update({"parent": loan})
-
-	pending_accrual = frappe.db.get_value("Repayment Schedule", filters)
-
-	return pending_accrual
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
deleted file mode 100644
index ac85df7..0000000
--- a/erpnext/loan_management/doctype/process_loan_interest_accrual/process_loan_interest_accrual_dashboard.py
+++ /dev/null
@@ -1,5 +0,0 @@
-def get_data():
-	return {
-		"fieldname": "process_loan_interest_accrual",
-		"transactions": [{"items": ["Loan Interest Accrual"]}],
-	}
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
deleted file mode 100644
index 1fb8c2e..0000000
--- a/erpnext/loan_management/doctype/process_loan_interest_accrual/test_process_loan_interest_accrual.py
+++ /dev/null
@@ -1,9 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
-# See license.txt
-
-# import frappe
-import unittest
-
-
-class TestProcessLoanInterestAccrual(unittest.TestCase):
-	pass
diff --git a/erpnext/loan_management/doctype/process_loan_security_shortfall/__init__.py b/erpnext/loan_management/doctype/process_loan_security_shortfall/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/doctype/process_loan_security_shortfall/__init__.py
+++ /dev/null
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
deleted file mode 100644
index 645e3ad..0000000
--- a/erpnext/loan_management/doctype/process_loan_security_shortfall/process_loan_security_shortfall.js
+++ /dev/null
@@ -1,8 +0,0 @@
-// 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
deleted file mode 100644
index 3feb305..0000000
--- a/erpnext/loan_management/doctype/process_loan_security_shortfall/process_loan_security_shortfall.json
+++ /dev/null
@@ -1,71 +0,0 @@
-{
- "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": "2021-01-17 03:59:14.494557",
- "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",
-   "select": 1,
-   "share": 1,
-   "submit": 1,
-   "write": 1
-  },
-  {
-   "create": 1,
-   "delete": 1,
-   "email": 1,
-   "export": 1,
-   "print": 1,
-   "read": 1,
-   "report": 1,
-   "role": "Loan Manager",
-   "select": 1,
-   "share": 1,
-   "submit": 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
deleted file mode 100644
index fffc5d4..0000000
--- a/erpnext/loan_management/doctype/process_loan_security_shortfall/process_loan_security_shortfall.py
+++ /dev/null
@@ -1,30 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-
-import frappe
-from frappe.model.document import Document
-from frappe.utils import get_datetime
-
-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(self.name)
-
-
-def create_process_loan_security_shortfall():
-	if check_for_secured_loans():
-		process = frappe.new_doc("Process Loan Security Shortfall")
-		process.update_time = get_datetime()
-		process.submit()
-
-
-def check_for_secured_loans():
-	return frappe.db.count("Loan", {"docstatus": 1, "is_secured_loan": 1})
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
deleted file mode 100644
index 4d7b163..0000000
--- a/erpnext/loan_management/doctype/process_loan_security_shortfall/process_loan_security_shortfall_dashboard.py
+++ /dev/null
@@ -1,5 +0,0 @@
-def get_data():
-	return {
-		"fieldname": "process_loan_security_shortfall",
-		"transactions": [{"items": ["Loan Security Shortfall"]}],
-	}
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
deleted file mode 100644
index c743cf0..0000000
--- a/erpnext/loan_management/doctype/process_loan_security_shortfall/test_process_loan_security_shortfall.py
+++ /dev/null
@@ -1,9 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
-# See license.txt
-
-# import frappe
-import unittest
-
-
-class TestProcessLoanSecurityShortfall(unittest.TestCase):
-	pass
diff --git a/erpnext/loan_management/doctype/proposed_pledge/__init__.py b/erpnext/loan_management/doctype/proposed_pledge/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/doctype/proposed_pledge/__init__.py
+++ /dev/null
diff --git a/erpnext/loan_management/doctype/proposed_pledge/proposed_pledge.json b/erpnext/loan_management/doctype/proposed_pledge/proposed_pledge.json
deleted file mode 100644
index a0b3a79..0000000
--- a/erpnext/loan_management/doctype/proposed_pledge/proposed_pledge.json
+++ /dev/null
@@ -1,82 +0,0 @@
-{
- "actions": [],
- "creation": "2019-08-29 22:29:37.628178",
- "doctype": "DocType",
- "editable_grid": 1,
- "engine": "InnoDB",
- "field_order": [
-  "loan_security",
-  "loan_security_name",
-  "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",
-   "non_negative": 1
-  },
-  {
-   "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
-  },
-  {
-   "fetch_from": "loan_security.loan_security_name",
-   "fieldname": "loan_security_name",
-   "fieldtype": "Data",
-   "label": "Loan Security Name",
-   "read_only": 1
-  }
- ],
- "index_web_pages_for_search": 1,
- "istable": 1,
- "links": [],
- "modified": "2021-01-17 07:29:01.671722",
- "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
deleted file mode 100644
index ac2b7d2..0000000
--- a/erpnext/loan_management/doctype/proposed_pledge/proposed_pledge.py
+++ /dev/null
@@ -1,10 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-
-# import frappe
-from frappe.model.document import Document
-
-
-class ProposedPledge(Document):
-	pass
diff --git a/erpnext/loan_management/doctype/repayment_schedule/__init__.py b/erpnext/loan_management/doctype/repayment_schedule/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/doctype/repayment_schedule/__init__.py
+++ /dev/null
diff --git a/erpnext/loan_management/doctype/repayment_schedule/repayment_schedule.json b/erpnext/loan_management/doctype/repayment_schedule/repayment_schedule.json
deleted file mode 100644
index 7f71beb..0000000
--- a/erpnext/loan_management/doctype/repayment_schedule/repayment_schedule.json
+++ /dev/null
@@ -1,81 +0,0 @@
-{
- "creation": "2019-09-12 12:57:07.940159",
- "doctype": "DocType",
- "editable_grid": 1,
- "engine": "InnoDB",
- "field_order": [
-  "payment_date",
-  "principal_amount",
-  "interest_amount",
-  "total_payment",
-  "balance_loan_amount",
-  "is_accrued"
- ],
- "fields": [
-  {
-   "columns": 2,
-   "fieldname": "payment_date",
-   "fieldtype": "Date",
-   "in_list_view": 1,
-   "label": "Payment Date"
-  },
-  {
-   "columns": 2,
-   "fieldname": "principal_amount",
-   "fieldtype": "Currency",
-   "in_list_view": 1,
-   "label": "Principal Amount",
-   "no_copy": 1,
-   "options": "Company:company:default_currency",
-   "read_only": 1
-  },
-  {
-   "columns": 2,
-   "fieldname": "interest_amount",
-   "fieldtype": "Currency",
-   "in_list_view": 1,
-   "label": "Interest Amount",
-   "no_copy": 1,
-   "options": "Company:company:default_currency",
-   "read_only": 1
-  },
-  {
-   "columns": 2,
-   "fieldname": "total_payment",
-   "fieldtype": "Currency",
-   "in_list_view": 1,
-   "label": "Total Payment",
-   "options": "Company:company:default_currency",
-   "read_only": 1
-  },
-  {
-   "columns": 2,
-   "fieldname": "balance_loan_amount",
-   "fieldtype": "Currency",
-   "in_list_view": 1,
-   "label": "Balance Loan Amount",
-   "no_copy": 1,
-   "options": "Company:company:default_currency",
-   "read_only": 1
-  },
-  {
-   "default": "0",
-   "fieldname": "is_accrued",
-   "fieldtype": "Check",
-   "in_list_view": 1,
-   "label": "Is Accrued",
-   "read_only": 1
-  }
- ],
- "istable": 1,
- "modified": "2019-09-12 12:57:07.940159",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Repayment Schedule",
- "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/repayment_schedule/repayment_schedule.py b/erpnext/loan_management/doctype/repayment_schedule/repayment_schedule.py
deleted file mode 100644
index dc407e7..0000000
--- a/erpnext/loan_management/doctype/repayment_schedule/repayment_schedule.py
+++ /dev/null
@@ -1,10 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-
-# import frappe
-from frappe.model.document import Document
-
-
-class RepaymentSchedule(Document):
-	pass
diff --git a/erpnext/loan_management/doctype/sanctioned_loan_amount/__init__.py b/erpnext/loan_management/doctype/sanctioned_loan_amount/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/doctype/sanctioned_loan_amount/__init__.py
+++ /dev/null
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
deleted file mode 100644
index 5361e7c..0000000
--- a/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.js
+++ /dev/null
@@ -1,8 +0,0 @@
-// 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
deleted file mode 100644
index 0447cd9..0000000
--- a/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.json
+++ /dev/null
@@ -1,88 +0,0 @@
-{
- "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
deleted file mode 100644
index e7487cb..0000000
--- a/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py
+++ /dev/null
@@ -1,21 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-
-import frappe
-from frappe import _
-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
deleted file mode 100644
index 4d99086..0000000
--- a/erpnext/loan_management/doctype/sanctioned_loan_amount/test_sanctioned_loan_amount.py
+++ /dev/null
@@ -1,9 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
-# See license.txt
-
-# import frappe
-import unittest
-
-
-class TestSanctionedLoanAmount(unittest.TestCase):
-	pass
diff --git a/erpnext/loan_management/doctype/unpledge/__init__.py b/erpnext/loan_management/doctype/unpledge/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/doctype/unpledge/__init__.py
+++ /dev/null
diff --git a/erpnext/loan_management/doctype/unpledge/unpledge.json b/erpnext/loan_management/doctype/unpledge/unpledge.json
deleted file mode 100644
index 0091e6c..0000000
--- a/erpnext/loan_management/doctype/unpledge/unpledge.json
+++ /dev/null
@@ -1,87 +0,0 @@
-{
- "actions": [],
- "creation": "2019-09-21 13:22:19.793797",
- "doctype": "DocType",
- "editable_grid": 1,
- "engine": "InnoDB",
- "field_order": [
-  "loan_security",
-  "loan_security_name",
-  "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",
-   "non_negative": 1,
-   "reqd": 1
-  },
-  {
-   "fetch_from": "loan_security.haircut",
-   "fieldname": "haircut",
-   "fieldtype": "Percent",
-   "label": "Haircut",
-   "read_only": 1
-  },
-  {
-   "fetch_from": "loan_security.loan_security_name",
-   "fieldname": "loan_security_name",
-   "fieldtype": "Data",
-   "label": "Loan Security Name",
-   "read_only": 1
-  }
- ],
- "index_web_pages_for_search": 1,
- "istable": 1,
- "links": [],
- "modified": "2021-01-17 07:36:20.212342",
- "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/loan_management/doctype/unpledge/unpledge.py b/erpnext/loan_management/doctype/unpledge/unpledge.py
deleted file mode 100644
index 403749b..0000000
--- a/erpnext/loan_management/doctype/unpledge/unpledge.py
+++ /dev/null
@@ -1,10 +0,0 @@
-# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-
-# import frappe
-from frappe.model.document import Document
-
-
-class Unpledge(Document):
-	pass
diff --git a/erpnext/loan_management/loan_common.js b/erpnext/loan_management/loan_common.js
deleted file mode 100644
index 247e30b..0000000
--- a/erpnext/loan_management/loan_common.js
+++ /dev/null
@@ -1,38 +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 (['Loan Disbursement', 'Loan Repayment', 'Loan Interest Accrual', 'Loan Write Off'].includes(frm.doc.doctype)
-			&& frm.doc.docstatus > 0) {
-
-			frm.add_custom_button(__("Accounting Ledger"), function() {
-				frappe.route_options = {
-					voucher_no: frm.doc.name,
-					company: frm.doc.company,
-					from_date: moment(frm.doc.posting_date).format('YYYY-MM-DD'),
-					to_date: moment(frm.doc.modified).format('YYYY-MM-DD'),
-					show_cancelled_entries: frm.doc.docstatus === 2
-				};
-
-				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);
-		}
-	}
-});
diff --git a/erpnext/loan_management/loan_management_dashboard/loan_dashboard/loan_dashboard.json b/erpnext/loan_management/loan_management_dashboard/loan_dashboard/loan_dashboard.json
deleted file mode 100644
index e060253..0000000
--- a/erpnext/loan_management/loan_management_dashboard/loan_dashboard/loan_dashboard.json
+++ /dev/null
@@ -1,70 +0,0 @@
-{
- "cards": [
-  {
-   "card": "New Loans"
-  },
-  {
-   "card": "Active Loans"
-  },
-  {
-   "card": "Closed Loans"
-  },
-  {
-   "card": "Total Disbursed"
-  },
-  {
-   "card": "Open Loan Applications"
-  },
-  {
-   "card": "New Loan Applications"
-  },
-  {
-   "card": "Total Sanctioned Amount"
-  },
-  {
-   "card": "Active Securities"
-  },
-  {
-   "card": "Applicants With Unpaid Shortfall"
-  },
-  {
-   "card": "Total Shortfall Amount"
-  },
-  {
-   "card": "Total Repayment"
-  },
-  {
-   "card": "Total Write Off"
-  }
- ],
- "charts": [
-  {
-   "chart": "New Loans",
-   "width": "Half"
-  },
-  {
-   "chart": "Loan Disbursements",
-   "width": "Half"
-  },
-  {
-   "chart": "Top 10 Pledged Loan Securities",
-   "width": "Half"
-  },
-  {
-   "chart": "Loan Interest Accrual",
-   "width": "Half"
-  }
- ],
- "creation": "2021-02-06 16:52:43.484752",
- "dashboard_name": "Loan Dashboard",
- "docstatus": 0,
- "doctype": "Dashboard",
- "idx": 0,
- "is_default": 0,
- "is_standard": 1,
- "modified": "2021-02-21 20:53:47.531699",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Loan Dashboard",
- "owner": "Administrator"
-}
\ No newline at end of file
diff --git a/erpnext/loan_management/number_card/active_loans/active_loans.json b/erpnext/loan_management/number_card/active_loans/active_loans.json
deleted file mode 100644
index 7e0db47..0000000
--- a/erpnext/loan_management/number_card/active_loans/active_loans.json
+++ /dev/null
@@ -1,23 +0,0 @@
-{
- "aggregate_function_based_on": "",
- "creation": "2021-02-06 17:10:26.132493",
- "docstatus": 0,
- "doctype": "Number Card",
- "document_type": "Loan",
- "dynamic_filters_json": "[]",
- "filters_json": "[[\"Loan\",\"docstatus\",\"=\",\"1\",false],[\"Loan\",\"status\",\"in\",[\"Disbursed\",\"Partially Disbursed\",null],false]]",
- "function": "Count",
- "idx": 0,
- "is_public": 0,
- "is_standard": 1,
- "label": "Active Loans",
- "modified": "2021-02-06 17:29:20.304087",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Active Loans",
- "owner": "Administrator",
- "report_function": "Sum",
- "show_percentage_stats": 1,
- "stats_time_interval": "Monthly",
- "type": "Document Type"
-}
\ No newline at end of file
diff --git a/erpnext/loan_management/number_card/active_securities/active_securities.json b/erpnext/loan_management/number_card/active_securities/active_securities.json
deleted file mode 100644
index 298e410..0000000
--- a/erpnext/loan_management/number_card/active_securities/active_securities.json
+++ /dev/null
@@ -1,23 +0,0 @@
-{
- "aggregate_function_based_on": "",
- "creation": "2021-02-06 19:07:21.344199",
- "docstatus": 0,
- "doctype": "Number Card",
- "document_type": "Loan Security",
- "dynamic_filters_json": "[]",
- "filters_json": "[[\"Loan Security\",\"disabled\",\"=\",0,false]]",
- "function": "Count",
- "idx": 0,
- "is_public": 0,
- "is_standard": 1,
- "label": "Active Securities",
- "modified": "2021-02-06 19:07:26.671516",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Active Securities",
- "owner": "Administrator",
- "report_function": "Sum",
- "show_percentage_stats": 1,
- "stats_time_interval": "Daily",
- "type": "Document Type"
-}
\ No newline at end of file
diff --git a/erpnext/loan_management/number_card/applicants_with_unpaid_shortfall/applicants_with_unpaid_shortfall.json b/erpnext/loan_management/number_card/applicants_with_unpaid_shortfall/applicants_with_unpaid_shortfall.json
deleted file mode 100644
index 3b9eba1..0000000
--- a/erpnext/loan_management/number_card/applicants_with_unpaid_shortfall/applicants_with_unpaid_shortfall.json
+++ /dev/null
@@ -1,21 +0,0 @@
-{
- "creation": "2021-02-07 18:55:12.632616",
- "docstatus": 0,
- "doctype": "Number Card",
- "filters_json": "null",
- "function": "Count",
- "idx": 0,
- "is_public": 0,
- "is_standard": 1,
- "label": "Applicants With Unpaid Shortfall",
- "method": "erpnext.loan_management.doctype.loan.loan.get_shortfall_applicants",
- "modified": "2021-02-07 21:46:27.369795",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Applicants With Unpaid Shortfall",
- "owner": "Administrator",
- "report_function": "Sum",
- "show_percentage_stats": 1,
- "stats_time_interval": "Daily",
- "type": "Custom"
-}
\ No newline at end of file
diff --git a/erpnext/loan_management/number_card/closed_loans/closed_loans.json b/erpnext/loan_management/number_card/closed_loans/closed_loans.json
deleted file mode 100644
index c2f2244..0000000
--- a/erpnext/loan_management/number_card/closed_loans/closed_loans.json
+++ /dev/null
@@ -1,23 +0,0 @@
-{
- "aggregate_function_based_on": "",
- "creation": "2021-02-21 19:51:49.261813",
- "docstatus": 0,
- "doctype": "Number Card",
- "document_type": "Loan",
- "dynamic_filters_json": "[]",
- "filters_json": "[[\"Loan\",\"docstatus\",\"=\",\"1\",false],[\"Loan\",\"status\",\"=\",\"Closed\",false]]",
- "function": "Count",
- "idx": 0,
- "is_public": 0,
- "is_standard": 1,
- "label": "Closed Loans",
- "modified": "2021-02-21 19:51:54.087903",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Closed Loans",
- "owner": "Administrator",
- "report_function": "Sum",
- "show_percentage_stats": 1,
- "stats_time_interval": "Daily",
- "type": "Document Type"
-}
\ No newline at end of file
diff --git a/erpnext/loan_management/number_card/last_interest_accrual/last_interest_accrual.json b/erpnext/loan_management/number_card/last_interest_accrual/last_interest_accrual.json
deleted file mode 100644
index 65c8ce6..0000000
--- a/erpnext/loan_management/number_card/last_interest_accrual/last_interest_accrual.json
+++ /dev/null
@@ -1,21 +0,0 @@
-{
- "creation": "2021-02-07 21:57:14.758007",
- "docstatus": 0,
- "doctype": "Number Card",
- "filters_json": "null",
- "function": "Count",
- "idx": 0,
- "is_public": 0,
- "is_standard": 1,
- "label": "Last Interest Accrual",
- "method": "erpnext.loan_management.doctype.loan.loan.get_last_accrual_date",
- "modified": "2021-02-07 21:59:47.525197",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Last Interest Accrual",
- "owner": "Administrator",
- "report_function": "Sum",
- "show_percentage_stats": 1,
- "stats_time_interval": "Daily",
- "type": "Custom"
-}
\ No newline at end of file
diff --git a/erpnext/loan_management/number_card/new_loan_applications/new_loan_applications.json b/erpnext/loan_management/number_card/new_loan_applications/new_loan_applications.json
deleted file mode 100644
index 7e655ff..0000000
--- a/erpnext/loan_management/number_card/new_loan_applications/new_loan_applications.json
+++ /dev/null
@@ -1,23 +0,0 @@
-{
- "aggregate_function_based_on": "",
- "creation": "2021-02-06 17:59:10.051269",
- "docstatus": 0,
- "doctype": "Number Card",
- "document_type": "Loan Application",
- "dynamic_filters_json": "[]",
- "filters_json": "[[\"Loan Application\",\"docstatus\",\"=\",\"1\",false],[\"Loan Application\",\"creation\",\"Timespan\",\"today\",false]]",
- "function": "Count",
- "idx": 0,
- "is_public": 0,
- "is_standard": 1,
- "label": "New Loan Applications",
- "modified": "2021-02-06 17:59:21.880979",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "New Loan Applications",
- "owner": "Administrator",
- "report_function": "Sum",
- "show_percentage_stats": 1,
- "stats_time_interval": "Daily",
- "type": "Document Type"
-}
\ No newline at end of file
diff --git a/erpnext/loan_management/number_card/new_loans/new_loans.json b/erpnext/loan_management/number_card/new_loans/new_loans.json
deleted file mode 100644
index 424f0f1..0000000
--- a/erpnext/loan_management/number_card/new_loans/new_loans.json
+++ /dev/null
@@ -1,23 +0,0 @@
-{
- "aggregate_function_based_on": "",
- "creation": "2021-02-06 17:56:34.624031",
- "docstatus": 0,
- "doctype": "Number Card",
- "document_type": "Loan",
- "dynamic_filters_json": "[]",
- "filters_json": "[[\"Loan\",\"docstatus\",\"=\",\"1\",false],[\"Loan\",\"creation\",\"Timespan\",\"today\",false]]",
- "function": "Count",
- "idx": 0,
- "is_public": 0,
- "is_standard": 1,
- "label": "New Loans",
- "modified": "2021-02-06 17:58:20.209166",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "New Loans",
- "owner": "Administrator",
- "report_function": "Sum",
- "show_percentage_stats": 1,
- "stats_time_interval": "Daily",
- "type": "Document Type"
-}
\ No newline at end of file
diff --git a/erpnext/loan_management/number_card/open_loan_applications/open_loan_applications.json b/erpnext/loan_management/number_card/open_loan_applications/open_loan_applications.json
deleted file mode 100644
index 1d5e84e..0000000
--- a/erpnext/loan_management/number_card/open_loan_applications/open_loan_applications.json
+++ /dev/null
@@ -1,23 +0,0 @@
-{
- "aggregate_function_based_on": "",
- "creation": "2021-02-06 17:23:32.509899",
- "docstatus": 0,
- "doctype": "Number Card",
- "document_type": "Loan Application",
- "dynamic_filters_json": "[]",
- "filters_json": "[[\"Loan Application\",\"docstatus\",\"=\",\"1\",false],[\"Loan Application\",\"status\",\"=\",\"Open\",false]]",
- "function": "Count",
- "idx": 0,
- "is_public": 0,
- "is_standard": 1,
- "label": "Open Loan Applications",
- "modified": "2021-02-06 17:29:09.761011",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Open Loan Applications",
- "owner": "Administrator",
- "report_function": "Sum",
- "show_percentage_stats": 1,
- "stats_time_interval": "Monthly",
- "type": "Document Type"
-}
\ No newline at end of file
diff --git a/erpnext/loan_management/number_card/total_disbursed/total_disbursed.json b/erpnext/loan_management/number_card/total_disbursed/total_disbursed.json
deleted file mode 100644
index 4a3f869..0000000
--- a/erpnext/loan_management/number_card/total_disbursed/total_disbursed.json
+++ /dev/null
@@ -1,23 +0,0 @@
-{
- "aggregate_function_based_on": "disbursed_amount",
- "creation": "2021-02-06 16:52:19.505462",
- "docstatus": 0,
- "doctype": "Number Card",
- "document_type": "Loan Disbursement",
- "dynamic_filters_json": "[]",
- "filters_json": "[[\"Loan Disbursement\",\"docstatus\",\"=\",\"1\",false]]",
- "function": "Sum",
- "idx": 0,
- "is_public": 0,
- "is_standard": 1,
- "label": "Total Disbursed Amount",
- "modified": "2021-02-06 17:29:38.453870",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Total Disbursed",
- "owner": "Administrator",
- "report_function": "Sum",
- "show_percentage_stats": 1,
- "stats_time_interval": "Monthly",
- "type": "Document Type"
-}
\ No newline at end of file
diff --git a/erpnext/loan_management/number_card/total_repayment/total_repayment.json b/erpnext/loan_management/number_card/total_repayment/total_repayment.json
deleted file mode 100644
index 38de42b..0000000
--- a/erpnext/loan_management/number_card/total_repayment/total_repayment.json
+++ /dev/null
@@ -1,24 +0,0 @@
-{
- "aggregate_function_based_on": "amount_paid",
- "color": "#29CD42",
- "creation": "2021-02-21 19:27:45.989222",
- "docstatus": 0,
- "doctype": "Number Card",
- "document_type": "Loan Repayment",
- "dynamic_filters_json": "[]",
- "filters_json": "[[\"Loan Repayment\",\"docstatus\",\"=\",\"1\",false]]",
- "function": "Sum",
- "idx": 0,
- "is_public": 0,
- "is_standard": 1,
- "label": "Total Repayment",
- "modified": "2021-02-21 19:34:59.656546",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Total Repayment",
- "owner": "Administrator",
- "report_function": "Sum",
- "show_percentage_stats": 1,
- "stats_time_interval": "Daily",
- "type": "Document Type"
-}
\ No newline at end of file
diff --git a/erpnext/loan_management/number_card/total_sanctioned_amount/total_sanctioned_amount.json b/erpnext/loan_management/number_card/total_sanctioned_amount/total_sanctioned_amount.json
deleted file mode 100644
index dfb9d24..0000000
--- a/erpnext/loan_management/number_card/total_sanctioned_amount/total_sanctioned_amount.json
+++ /dev/null
@@ -1,23 +0,0 @@
-{
- "aggregate_function_based_on": "loan_amount",
- "creation": "2021-02-06 17:05:04.704162",
- "docstatus": 0,
- "doctype": "Number Card",
- "document_type": "Loan",
- "dynamic_filters_json": "[]",
- "filters_json": "[[\"Loan\",\"docstatus\",\"=\",\"1\",false],[\"Loan\",\"status\",\"=\",\"Sanctioned\",false]]",
- "function": "Sum",
- "idx": 0,
- "is_public": 0,
- "is_standard": 1,
- "label": "Total Sanctioned Amount",
- "modified": "2021-02-06 17:29:29.930557",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Total Sanctioned Amount",
- "owner": "Administrator",
- "report_function": "Sum",
- "show_percentage_stats": 1,
- "stats_time_interval": "Monthly",
- "type": "Document Type"
-}
\ No newline at end of file
diff --git a/erpnext/loan_management/number_card/total_shortfall_amount/total_shortfall_amount.json b/erpnext/loan_management/number_card/total_shortfall_amount/total_shortfall_amount.json
deleted file mode 100644
index aa6b093..0000000
--- a/erpnext/loan_management/number_card/total_shortfall_amount/total_shortfall_amount.json
+++ /dev/null
@@ -1,23 +0,0 @@
-{
- "aggregate_function_based_on": "shortfall_amount",
- "creation": "2021-02-09 08:07:20.096995",
- "docstatus": 0,
- "doctype": "Number Card",
- "document_type": "Loan Security Shortfall",
- "dynamic_filters_json": "[]",
- "filters_json": "[]",
- "function": "Sum",
- "idx": 0,
- "is_public": 0,
- "is_standard": 1,
- "label": "Total Unpaid Shortfall Amount",
- "modified": "2021-02-09 08:09:00.355547",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Total Shortfall Amount",
- "owner": "Administrator",
- "report_function": "Sum",
- "show_percentage_stats": 1,
- "stats_time_interval": "Daily",
- "type": "Document Type"
-}
\ No newline at end of file
diff --git a/erpnext/loan_management/number_card/total_write_off/total_write_off.json b/erpnext/loan_management/number_card/total_write_off/total_write_off.json
deleted file mode 100644
index c85169a..0000000
--- a/erpnext/loan_management/number_card/total_write_off/total_write_off.json
+++ /dev/null
@@ -1,24 +0,0 @@
-{
- "aggregate_function_based_on": "write_off_amount",
- "color": "#CB2929",
- "creation": "2021-02-21 19:48:29.004429",
- "docstatus": 0,
- "doctype": "Number Card",
- "document_type": "Loan Write Off",
- "dynamic_filters_json": "[]",
- "filters_json": "[[\"Loan Write Off\",\"docstatus\",\"=\",\"1\",false]]",
- "function": "Sum",
- "idx": 0,
- "is_public": 0,
- "is_standard": 1,
- "label": "Total Write Off",
- "modified": "2021-02-21 19:48:58.604159",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Total Write Off",
- "owner": "Administrator",
- "report_function": "Sum",
- "show_percentage_stats": 1,
- "stats_time_interval": "Daily",
- "type": "Document Type"
-}
\ No newline at end of file
diff --git a/erpnext/loan_management/report/__init__.py b/erpnext/loan_management/report/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/report/__init__.py
+++ /dev/null
diff --git a/erpnext/loan_management/report/applicant_wise_loan_security_exposure/__init__.py b/erpnext/loan_management/report/applicant_wise_loan_security_exposure/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/report/applicant_wise_loan_security_exposure/__init__.py
+++ /dev/null
diff --git a/erpnext/loan_management/report/applicant_wise_loan_security_exposure/applicant_wise_loan_security_exposure.js b/erpnext/loan_management/report/applicant_wise_loan_security_exposure/applicant_wise_loan_security_exposure.js
deleted file mode 100644
index 73d60c4..0000000
--- a/erpnext/loan_management/report/applicant_wise_loan_security_exposure/applicant_wise_loan_security_exposure.js
+++ /dev/null
@@ -1,16 +0,0 @@
-// Copyright (c) 2016, Frappe Technologies Pvt. Ltd. and contributors
-// For license information, please see license.txt
-/* eslint-disable */
-
-frappe.query_reports["Applicant-Wise Loan Security Exposure"] = {
-	"filters": [
-		{
-			"fieldname":"company",
-			"label": __("Company"),
-			"fieldtype": "Link",
-			"options": "Company",
-			"default": frappe.defaults.get_user_default("Company"),
-			"reqd": 1
-		}
-	]
-};
diff --git a/erpnext/loan_management/report/applicant_wise_loan_security_exposure/applicant_wise_loan_security_exposure.json b/erpnext/loan_management/report/applicant_wise_loan_security_exposure/applicant_wise_loan_security_exposure.json
deleted file mode 100644
index a778cd7..0000000
--- a/erpnext/loan_management/report/applicant_wise_loan_security_exposure/applicant_wise_loan_security_exposure.json
+++ /dev/null
@@ -1,29 +0,0 @@
-{
- "add_total_row": 0,
- "columns": [],
- "creation": "2021-01-15 23:48:38.913514",
- "disable_prepared_report": 0,
- "disabled": 0,
- "docstatus": 0,
- "doctype": "Report",
- "filters": [],
- "idx": 0,
- "is_standard": "Yes",
- "modified": "2021-01-15 23:48:38.913514",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Applicant-Wise Loan Security Exposure",
- "owner": "Administrator",
- "prepared_report": 0,
- "ref_doctype": "Loan Security",
- "report_name": "Applicant-Wise Loan Security Exposure",
- "report_type": "Script Report",
- "roles": [
-  {
-   "role": "System Manager"
-  },
-  {
-   "role": "Loan Manager"
-  }
- ]
-}
\ No newline at end of file
diff --git a/erpnext/loan_management/report/applicant_wise_loan_security_exposure/applicant_wise_loan_security_exposure.py b/erpnext/loan_management/report/applicant_wise_loan_security_exposure/applicant_wise_loan_security_exposure.py
deleted file mode 100644
index 02da810..0000000
--- a/erpnext/loan_management/report/applicant_wise_loan_security_exposure/applicant_wise_loan_security_exposure.py
+++ /dev/null
@@ -1,236 +0,0 @@
-# Copyright (c) 2013, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-
-import frappe
-from frappe import _
-from frappe.utils import flt
-
-import erpnext
-
-
-def execute(filters=None):
-	columns = get_columns(filters)
-	data = get_data(filters)
-	return columns, data
-
-
-def get_columns(filters):
-	columns = [
-		{
-			"label": _("Applicant Type"),
-			"fieldname": "applicant_type",
-			"options": "DocType",
-			"width": 100,
-		},
-		{
-			"label": _("Applicant Name"),
-			"fieldname": "applicant_name",
-			"fieldtype": "Dynamic Link",
-			"options": "applicant_type",
-			"width": 150,
-		},
-		{
-			"label": _("Loan Security"),
-			"fieldname": "loan_security",
-			"fieldtype": "Link",
-			"options": "Loan Security",
-			"width": 160,
-		},
-		{
-			"label": _("Loan Security Code"),
-			"fieldname": "loan_security_code",
-			"fieldtype": "Data",
-			"width": 100,
-		},
-		{
-			"label": _("Loan Security Name"),
-			"fieldname": "loan_security_name",
-			"fieldtype": "Data",
-			"width": 150,
-		},
-		{"label": _("Haircut"), "fieldname": "haircut", "fieldtype": "Percent", "width": 100},
-		{
-			"label": _("Loan Security Type"),
-			"fieldname": "loan_security_type",
-			"fieldtype": "Link",
-			"options": "Loan Security Type",
-			"width": 120,
-		},
-		{"label": _("Disabled"), "fieldname": "disabled", "fieldtype": "Check", "width": 80},
-		{"label": _("Total Qty"), "fieldname": "total_qty", "fieldtype": "Float", "width": 100},
-		{
-			"label": _("Latest Price"),
-			"fieldname": "latest_price",
-			"fieldtype": "Currency",
-			"options": "currency",
-			"width": 100,
-		},
-		{
-			"label": _("Price Valid Upto"),
-			"fieldname": "price_valid_upto",
-			"fieldtype": "Datetime",
-			"width": 100,
-		},
-		{
-			"label": _("Current Value"),
-			"fieldname": "current_value",
-			"fieldtype": "Currency",
-			"options": "currency",
-			"width": 100,
-		},
-		{
-			"label": _("% Of Applicant Portfolio"),
-			"fieldname": "portfolio_percent",
-			"fieldtype": "Percentage",
-			"width": 100,
-		},
-		{
-			"label": _("Currency"),
-			"fieldname": "currency",
-			"fieldtype": "Currency",
-			"options": "Currency",
-			"hidden": 1,
-			"width": 100,
-		},
-	]
-
-	return columns
-
-
-def get_data(filters):
-	data = []
-	loan_security_details = get_loan_security_details()
-	pledge_values, total_value_map, applicant_type_map = get_applicant_wise_total_loan_security_qty(
-		filters, loan_security_details
-	)
-
-	currency = erpnext.get_company_currency(filters.get("company"))
-
-	for key, qty in pledge_values.items():
-		if qty:
-			row = {}
-			current_value = flt(qty * loan_security_details.get(key[1], {}).get("latest_price", 0))
-			valid_upto = loan_security_details.get(key[1], {}).get("valid_upto")
-
-			row.update(loan_security_details.get(key[1]))
-			row.update(
-				{
-					"applicant_type": applicant_type_map.get(key[0]),
-					"applicant_name": key[0],
-					"total_qty": qty,
-					"current_value": current_value,
-					"price_valid_upto": valid_upto,
-					"portfolio_percent": flt(current_value * 100 / total_value_map.get(key[0]), 2)
-					if total_value_map.get(key[0])
-					else 0.0,
-					"currency": currency,
-				}
-			)
-
-			data.append(row)
-
-	return data
-
-
-def get_loan_security_details():
-	security_detail_map = {}
-	loan_security_price_map = {}
-	lsp_validity_map = {}
-
-	loan_security_prices = frappe.db.sql(
-		"""
-		SELECT loan_security, loan_security_price, valid_upto
-		FROM `tabLoan Security Price` t1
-		WHERE valid_from >= (SELECT MAX(valid_from) FROM `tabLoan Security Price` t2
-		WHERE t1.loan_security = t2.loan_security)
-	""",
-		as_dict=1,
-	)
-
-	for security in loan_security_prices:
-		loan_security_price_map.setdefault(security.loan_security, security.loan_security_price)
-		lsp_validity_map.setdefault(security.loan_security, security.valid_upto)
-
-	loan_security_details = frappe.get_all(
-		"Loan Security",
-		fields=[
-			"name as loan_security",
-			"loan_security_code",
-			"loan_security_name",
-			"haircut",
-			"loan_security_type",
-			"disabled",
-		],
-	)
-
-	for security in loan_security_details:
-		security.update(
-			{
-				"latest_price": flt(loan_security_price_map.get(security.loan_security)),
-				"valid_upto": lsp_validity_map.get(security.loan_security),
-			}
-		)
-
-		security_detail_map.setdefault(security.loan_security, security)
-
-	return security_detail_map
-
-
-def get_applicant_wise_total_loan_security_qty(filters, loan_security_details):
-	current_pledges = {}
-	total_value_map = {}
-	applicant_type_map = {}
-	applicant_wise_unpledges = {}
-	conditions = ""
-
-	if filters.get("company"):
-		conditions = "AND company = %(company)s"
-
-	unpledges = frappe.db.sql(
-		"""
-		SELECT up.applicant, u.loan_security, sum(u.qty) as qty
-		FROM `tabLoan Security Unpledge` up, `tabUnpledge` u
-		WHERE u.parent = up.name
-		AND up.status = 'Approved'
-		{conditions}
-		GROUP BY up.applicant, u.loan_security
-	""".format(
-			conditions=conditions
-		),
-		filters,
-		as_dict=1,
-	)
-
-	for unpledge in unpledges:
-		applicant_wise_unpledges.setdefault((unpledge.applicant, unpledge.loan_security), unpledge.qty)
-
-	pledges = frappe.db.sql(
-		"""
-		SELECT lp.applicant_type, lp.applicant, p.loan_security, sum(p.qty) as qty
-		FROM `tabLoan Security Pledge` lp, `tabPledge`p
-		WHERE p.parent = lp.name
-		AND lp.status = 'Pledged'
-		{conditions}
-		GROUP BY lp.applicant, p.loan_security
-	""".format(
-			conditions=conditions
-		),
-		filters,
-		as_dict=1,
-	)
-
-	for security in pledges:
-		current_pledges.setdefault((security.applicant, security.loan_security), security.qty)
-		total_value_map.setdefault(security.applicant, 0.0)
-		applicant_type_map.setdefault(security.applicant, security.applicant_type)
-
-		current_pledges[(security.applicant, security.loan_security)] -= applicant_wise_unpledges.get(
-			(security.applicant, security.loan_security), 0.0
-		)
-
-		total_value_map[security.applicant] += current_pledges.get(
-			(security.applicant, security.loan_security)
-		) * loan_security_details.get(security.loan_security, {}).get("latest_price", 0)
-
-	return current_pledges, total_value_map, applicant_type_map
diff --git a/erpnext/loan_management/report/loan_interest_report/__init__.py b/erpnext/loan_management/report/loan_interest_report/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/report/loan_interest_report/__init__.py
+++ /dev/null
diff --git a/erpnext/loan_management/report/loan_interest_report/loan_interest_report.js b/erpnext/loan_management/report/loan_interest_report/loan_interest_report.js
deleted file mode 100644
index 458c79a..0000000
--- a/erpnext/loan_management/report/loan_interest_report/loan_interest_report.js
+++ /dev/null
@@ -1,50 +0,0 @@
-// Copyright (c) 2016, Frappe Technologies Pvt. Ltd. and contributors
-// For license information, please see license.txt
-/* eslint-disable */
-
-frappe.query_reports["Loan Interest Report"] = {
-	"filters": [
-		{
-			"fieldname":"company",
-			"label": __("Company"),
-			"fieldtype": "Link",
-			"options": "Company",
-			"default": frappe.defaults.get_user_default("Company"),
-			"reqd": 1
-		},
-		{
-			"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":"from_date",
-			"label": __("From Date"),
-			"fieldtype": "Date",
-		},
-		{
-			"fieldname":"to_date",
-			"label": __("From Date"),
-			"fieldtype": "Date",
-		},
-	]
-};
diff --git a/erpnext/loan_management/report/loan_interest_report/loan_interest_report.json b/erpnext/loan_management/report/loan_interest_report/loan_interest_report.json
deleted file mode 100644
index 321d606..0000000
--- a/erpnext/loan_management/report/loan_interest_report/loan_interest_report.json
+++ /dev/null
@@ -1,29 +0,0 @@
-{
- "add_total_row": 1,
- "columns": [],
- "creation": "2021-01-10 02:03:26.742693",
- "disable_prepared_report": 0,
- "disabled": 0,
- "docstatus": 0,
- "doctype": "Report",
- "filters": [],
- "idx": 0,
- "is_standard": "Yes",
- "modified": "2021-01-10 02:03:26.742693",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Loan Interest Report",
- "owner": "Administrator",
- "prepared_report": 0,
- "ref_doctype": "Loan Interest Accrual",
- "report_name": "Loan Interest Report",
- "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_interest_report/loan_interest_report.py b/erpnext/loan_management/report/loan_interest_report/loan_interest_report.py
deleted file mode 100644
index 58a7880..0000000
--- a/erpnext/loan_management/report/loan_interest_report/loan_interest_report.py
+++ /dev/null
@@ -1,379 +0,0 @@
-# Copyright (c) 2013, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-
-import frappe
-from frappe import _
-from frappe.utils import add_days, flt, getdate
-
-import erpnext
-from erpnext.loan_management.report.applicant_wise_loan_security_exposure.applicant_wise_loan_security_exposure import (
-	get_loan_security_details,
-)
-
-
-def execute(filters=None):
-	columns = get_columns()
-	data = get_active_loan_details(filters)
-	return columns, data
-
-
-def get_columns():
-	columns = [
-		{"label": _("Loan"), "fieldname": "loan", "fieldtype": "Link", "options": "Loan", "width": 160},
-		{"label": _("Status"), "fieldname": "status", "fieldtype": "Data", "width": 160},
-		{
-			"label": _("Applicant Type"),
-			"fieldname": "applicant_type",
-			"options": "DocType",
-			"width": 100,
-		},
-		{
-			"label": _("Applicant Name"),
-			"fieldname": "applicant_name",
-			"fieldtype": "Dynamic Link",
-			"options": "applicant_type",
-			"width": 150,
-		},
-		{
-			"label": _("Loan Type"),
-			"fieldname": "loan_type",
-			"fieldtype": "Link",
-			"options": "Loan Type",
-			"width": 100,
-		},
-		{
-			"label": _("Sanctioned Amount"),
-			"fieldname": "sanctioned_amount",
-			"fieldtype": "Currency",
-			"options": "currency",
-			"width": 120,
-		},
-		{
-			"label": _("Disbursed Amount"),
-			"fieldname": "disbursed_amount",
-			"fieldtype": "Currency",
-			"options": "currency",
-			"width": 120,
-		},
-		{
-			"label": _("Penalty Amount"),
-			"fieldname": "penalty",
-			"fieldtype": "Currency",
-			"options": "currency",
-			"width": 120,
-		},
-		{
-			"label": _("Accrued Interest"),
-			"fieldname": "accrued_interest",
-			"fieldtype": "Currency",
-			"options": "currency",
-			"width": 120,
-		},
-		{
-			"label": _("Accrued Principal"),
-			"fieldname": "accrued_principal",
-			"fieldtype": "Currency",
-			"options": "currency",
-			"width": 120,
-		},
-		{
-			"label": _("Total Repayment"),
-			"fieldname": "total_repayment",
-			"fieldtype": "Currency",
-			"options": "currency",
-			"width": 120,
-		},
-		{
-			"label": _("Principal Outstanding"),
-			"fieldname": "principal_outstanding",
-			"fieldtype": "Currency",
-			"options": "currency",
-			"width": 120,
-		},
-		{
-			"label": _("Interest Outstanding"),
-			"fieldname": "interest_outstanding",
-			"fieldtype": "Currency",
-			"options": "currency",
-			"width": 120,
-		},
-		{
-			"label": _("Total Outstanding"),
-			"fieldname": "total_outstanding",
-			"fieldtype": "Currency",
-			"options": "currency",
-			"width": 120,
-		},
-		{
-			"label": _("Undue Booked Interest"),
-			"fieldname": "undue_interest",
-			"fieldtype": "Currency",
-			"options": "currency",
-			"width": 120,
-		},
-		{
-			"label": _("Interest %"),
-			"fieldname": "rate_of_interest",
-			"fieldtype": "Percent",
-			"width": 100,
-		},
-		{
-			"label": _("Penalty Interest %"),
-			"fieldname": "penalty_interest",
-			"fieldtype": "Percent",
-			"width": 100,
-		},
-		{
-			"label": _("Loan To Value Ratio"),
-			"fieldname": "loan_to_value",
-			"fieldtype": "Percent",
-			"width": 100,
-		},
-		{
-			"label": _("Currency"),
-			"fieldname": "currency",
-			"fieldtype": "Currency",
-			"options": "Currency",
-			"hidden": 1,
-			"width": 100,
-		},
-	]
-
-	return columns
-
-
-def get_active_loan_details(filters):
-	filter_obj = {
-		"status": ("!=", "Closed"),
-		"docstatus": 1,
-	}
-	if filters.get("company"):
-		filter_obj.update({"company": filters.get("company")})
-
-	if filters.get("applicant"):
-		filter_obj.update({"applicant": filters.get("applicant")})
-
-	loan_details = frappe.get_all(
-		"Loan",
-		fields=[
-			"name as loan",
-			"applicant_type",
-			"applicant as applicant_name",
-			"loan_type",
-			"disbursed_amount",
-			"rate_of_interest",
-			"total_payment",
-			"total_principal_paid",
-			"total_interest_payable",
-			"written_off_amount",
-			"status",
-		],
-		filters=filter_obj,
-	)
-
-	loan_list = [d.loan for d in loan_details]
-
-	current_pledges = get_loan_wise_pledges(filters)
-	loan_wise_security_value = get_loan_wise_security_value(filters, current_pledges)
-
-	sanctioned_amount_map = get_sanctioned_amount_map()
-	penal_interest_rate_map = get_penal_interest_rate_map()
-	payments = get_payments(loan_list, filters)
-	accrual_map = get_interest_accruals(loan_list, filters)
-	currency = erpnext.get_company_currency(filters.get("company"))
-
-	for loan in loan_details:
-		total_payment = loan.total_payment if loan.status == "Disbursed" else loan.disbursed_amount
-
-		loan.update(
-			{
-				"sanctioned_amount": flt(sanctioned_amount_map.get(loan.applicant_name)),
-				"principal_outstanding": flt(total_payment)
-				- flt(loan.total_principal_paid)
-				- flt(loan.total_interest_payable)
-				- flt(loan.written_off_amount),
-				"total_repayment": flt(payments.get(loan.loan)),
-				"accrued_interest": flt(accrual_map.get(loan.loan, {}).get("accrued_interest")),
-				"accrued_principal": flt(accrual_map.get(loan.loan, {}).get("accrued_principal")),
-				"interest_outstanding": flt(accrual_map.get(loan.loan, {}).get("interest_outstanding")),
-				"penalty": flt(accrual_map.get(loan.loan, {}).get("penalty")),
-				"penalty_interest": penal_interest_rate_map.get(loan.loan_type),
-				"undue_interest": flt(accrual_map.get(loan.loan, {}).get("undue_interest")),
-				"loan_to_value": 0.0,
-				"currency": currency,
-			}
-		)
-
-		loan["total_outstanding"] = (
-			loan["principal_outstanding"] + loan["interest_outstanding"] + loan["penalty"]
-		)
-
-		if loan_wise_security_value.get(loan.loan):
-			loan["loan_to_value"] = flt(
-				(loan["principal_outstanding"] * 100) / loan_wise_security_value.get(loan.loan)
-			)
-
-	return loan_details
-
-
-def get_sanctioned_amount_map():
-	return frappe._dict(
-		frappe.get_all(
-			"Sanctioned Loan Amount", fields=["applicant", "sanctioned_amount_limit"], as_list=1
-		)
-	)
-
-
-def get_payments(loans, filters):
-	query_filters = {"against_loan": ("in", loans)}
-
-	if filters.get("from_date"):
-		query_filters.update({"posting_date": (">=", filters.get("from_date"))})
-
-	if filters.get("to_date"):
-		query_filters.update({"posting_date": ("<=", filters.get("to_date"))})
-
-	return frappe._dict(
-		frappe.get_all(
-			"Loan Repayment",
-			fields=["against_loan", "sum(amount_paid)"],
-			filters=query_filters,
-			group_by="against_loan",
-			as_list=1,
-		)
-	)
-
-
-def get_interest_accruals(loans, filters):
-	accrual_map = {}
-	query_filters = {"loan": ("in", loans)}
-
-	if filters.get("from_date"):
-		query_filters.update({"posting_date": (">=", filters.get("from_date"))})
-
-	if filters.get("to_date"):
-		query_filters.update({"posting_date": ("<=", filters.get("to_date"))})
-
-	interest_accruals = frappe.get_all(
-		"Loan Interest Accrual",
-		fields=[
-			"loan",
-			"interest_amount",
-			"posting_date",
-			"penalty_amount",
-			"paid_interest_amount",
-			"accrual_type",
-			"payable_principal_amount",
-		],
-		filters=query_filters,
-		order_by="posting_date desc",
-	)
-
-	for entry in interest_accruals:
-		accrual_map.setdefault(
-			entry.loan,
-			{
-				"accrued_interest": 0.0,
-				"accrued_principal": 0.0,
-				"undue_interest": 0.0,
-				"interest_outstanding": 0.0,
-				"last_accrual_date": "",
-				"due_date": "",
-			},
-		)
-
-		if entry.accrual_type == "Regular":
-			if not accrual_map[entry.loan]["due_date"]:
-				accrual_map[entry.loan]["due_date"] = add_days(entry.posting_date, 1)
-			if not accrual_map[entry.loan]["last_accrual_date"]:
-				accrual_map[entry.loan]["last_accrual_date"] = entry.posting_date
-
-		due_date = accrual_map[entry.loan]["due_date"]
-		last_accrual_date = accrual_map[entry.loan]["last_accrual_date"]
-
-		if due_date and getdate(entry.posting_date) < getdate(due_date):
-			accrual_map[entry.loan]["interest_outstanding"] += (
-				entry.interest_amount - entry.paid_interest_amount
-			)
-		else:
-			accrual_map[entry.loan]["undue_interest"] += entry.interest_amount - entry.paid_interest_amount
-
-		accrual_map[entry.loan]["accrued_interest"] += entry.interest_amount
-		accrual_map[entry.loan]["accrued_principal"] += entry.payable_principal_amount
-
-		if last_accrual_date and getdate(entry.posting_date) == last_accrual_date:
-			accrual_map[entry.loan]["penalty"] = entry.penalty_amount
-
-	return accrual_map
-
-
-def get_penal_interest_rate_map():
-	return frappe._dict(
-		frappe.get_all("Loan Type", fields=["name", "penalty_interest_rate"], as_list=1)
-	)
-
-
-def get_loan_wise_pledges(filters):
-	loan_wise_unpledges = {}
-	current_pledges = {}
-
-	conditions = ""
-
-	if filters.get("company"):
-		conditions = "AND company = %(company)s"
-
-	unpledges = frappe.db.sql(
-		"""
-		SELECT up.loan, u.loan_security, sum(u.qty) as qty
-		FROM `tabLoan Security Unpledge` up, `tabUnpledge` u
-		WHERE u.parent = up.name
-		AND up.status = 'Approved'
-		{conditions}
-		GROUP BY up.loan, u.loan_security
-	""".format(
-			conditions=conditions
-		),
-		filters,
-		as_dict=1,
-	)
-
-	for unpledge in unpledges:
-		loan_wise_unpledges.setdefault((unpledge.loan, unpledge.loan_security), unpledge.qty)
-
-	pledges = frappe.db.sql(
-		"""
-		SELECT lp.loan, p.loan_security, sum(p.qty) as qty
-		FROM `tabLoan Security Pledge` lp, `tabPledge`p
-		WHERE p.parent = lp.name
-		AND lp.status = 'Pledged'
-		{conditions}
-		GROUP BY lp.loan, p.loan_security
-	""".format(
-			conditions=conditions
-		),
-		filters,
-		as_dict=1,
-	)
-
-	for security in pledges:
-		current_pledges.setdefault((security.loan, security.loan_security), security.qty)
-		current_pledges[(security.loan, security.loan_security)] -= loan_wise_unpledges.get(
-			(security.loan, security.loan_security), 0.0
-		)
-
-	return current_pledges
-
-
-def get_loan_wise_security_value(filters, current_pledges):
-	loan_security_details = get_loan_security_details()
-	loan_wise_security_value = {}
-
-	for key in current_pledges:
-		qty = current_pledges.get(key)
-		loan_wise_security_value.setdefault(key[0], 0.0)
-		loan_wise_security_value[key[0]] += flt(
-			qty * loan_security_details.get(key[1], {}).get("latest_price", 0)
-		)
-
-	return loan_wise_security_value
diff --git a/erpnext/loan_management/report/loan_repayment_and_closure/__init__.py b/erpnext/loan_management/report/loan_repayment_and_closure/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/report/loan_repayment_and_closure/__init__.py
+++ /dev/null
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
deleted file mode 100644
index ed5e937..0000000
--- a/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js
+++ /dev/null
@@ -1,41 +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 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
deleted file mode 100644
index 52d5b2c..0000000
--- a/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.json
+++ /dev/null
@@ -1,27 +0,0 @@
-{
- "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
deleted file mode 100644
index 253b994..0000000
--- a/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.py
+++ /dev/null
@@ -1,125 +0,0 @@
-# Copyright (c) 2013, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-
-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",
-			"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
diff --git a/erpnext/loan_management/report/loan_security_exposure/__init__.py b/erpnext/loan_management/report/loan_security_exposure/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/report/loan_security_exposure/__init__.py
+++ /dev/null
diff --git a/erpnext/loan_management/report/loan_security_exposure/loan_security_exposure.js b/erpnext/loan_management/report/loan_security_exposure/loan_security_exposure.js
deleted file mode 100644
index 777f296..0000000
--- a/erpnext/loan_management/report/loan_security_exposure/loan_security_exposure.js
+++ /dev/null
@@ -1,16 +0,0 @@
-// Copyright (c) 2016, Frappe Technologies Pvt. Ltd. and contributors
-// For license information, please see license.txt
-/* eslint-disable */
-
-frappe.query_reports["Loan Security Exposure"] = {
-	"filters": [
-		{
-			"fieldname":"company",
-			"label": __("Company"),
-			"fieldtype": "Link",
-			"options": "Company",
-			"default": frappe.defaults.get_user_default("Company"),
-			"reqd": 1
-		}
-	]
-};
diff --git a/erpnext/loan_management/report/loan_security_exposure/loan_security_exposure.json b/erpnext/loan_management/report/loan_security_exposure/loan_security_exposure.json
deleted file mode 100644
index d4dca08..0000000
--- a/erpnext/loan_management/report/loan_security_exposure/loan_security_exposure.json
+++ /dev/null
@@ -1,29 +0,0 @@
-{
- "add_total_row": 0,
- "columns": [],
- "creation": "2021-01-16 08:08:01.694583",
- "disable_prepared_report": 0,
- "disabled": 0,
- "docstatus": 0,
- "doctype": "Report",
- "filters": [],
- "idx": 0,
- "is_standard": "Yes",
- "modified": "2021-01-16 08:08:01.694583",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Loan Security Exposure",
- "owner": "Administrator",
- "prepared_report": 0,
- "ref_doctype": "Loan Security",
- "report_name": "Loan Security Exposure",
- "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_exposure/loan_security_exposure.py b/erpnext/loan_management/report/loan_security_exposure/loan_security_exposure.py
deleted file mode 100644
index a92f960..0000000
--- a/erpnext/loan_management/report/loan_security_exposure/loan_security_exposure.py
+++ /dev/null
@@ -1,146 +0,0 @@
-# Copyright (c) 2013, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-
-from frappe import _
-from frappe.utils import flt
-
-import erpnext
-from erpnext.loan_management.report.applicant_wise_loan_security_exposure.applicant_wise_loan_security_exposure import (
-	get_applicant_wise_total_loan_security_qty,
-	get_loan_security_details,
-)
-
-
-def execute(filters=None):
-	columns = get_columns(filters)
-	data = get_data(filters)
-	return columns, data
-
-
-def get_columns(filters):
-	columns = [
-		{
-			"label": _("Loan Security"),
-			"fieldname": "loan_security",
-			"fieldtype": "Link",
-			"options": "Loan Security",
-			"width": 160,
-		},
-		{
-			"label": _("Loan Security Code"),
-			"fieldname": "loan_security_code",
-			"fieldtype": "Data",
-			"width": 100,
-		},
-		{
-			"label": _("Loan Security Name"),
-			"fieldname": "loan_security_name",
-			"fieldtype": "Data",
-			"width": 150,
-		},
-		{"label": _("Haircut"), "fieldname": "haircut", "fieldtype": "Percent", "width": 100},
-		{
-			"label": _("Loan Security Type"),
-			"fieldname": "loan_security_type",
-			"fieldtype": "Link",
-			"options": "Loan Security Type",
-			"width": 120,
-		},
-		{"label": _("Disabled"), "fieldname": "disabled", "fieldtype": "Check", "width": 80},
-		{"label": _("Total Qty"), "fieldname": "total_qty", "fieldtype": "Float", "width": 100},
-		{
-			"label": _("Latest Price"),
-			"fieldname": "latest_price",
-			"fieldtype": "Currency",
-			"options": "currency",
-			"width": 100,
-		},
-		{
-			"label": _("Price Valid Upto"),
-			"fieldname": "price_valid_upto",
-			"fieldtype": "Datetime",
-			"width": 100,
-		},
-		{
-			"label": _("Current Value"),
-			"fieldname": "current_value",
-			"fieldtype": "Currency",
-			"options": "currency",
-			"width": 100,
-		},
-		{
-			"label": _("% Of Total Portfolio"),
-			"fieldname": "portfolio_percent",
-			"fieldtype": "Percentage",
-			"width": 100,
-		},
-		{
-			"label": _("Pledged Applicant Count"),
-			"fieldname": "pledged_applicant_count",
-			"fieldtype": "Percentage",
-			"width": 100,
-		},
-		{
-			"label": _("Currency"),
-			"fieldname": "currency",
-			"fieldtype": "Currency",
-			"options": "Currency",
-			"hidden": 1,
-			"width": 100,
-		},
-	]
-
-	return columns
-
-
-def get_data(filters):
-	data = []
-	loan_security_details = get_loan_security_details()
-	current_pledges, total_portfolio_value = get_company_wise_loan_security_details(
-		filters, loan_security_details
-	)
-	currency = erpnext.get_company_currency(filters.get("company"))
-
-	for security, value in current_pledges.items():
-		if value.get("qty"):
-			row = {}
-			current_value = flt(
-				value.get("qty", 0) * loan_security_details.get(security, {}).get("latest_price", 0)
-			)
-			valid_upto = loan_security_details.get(security, {}).get("valid_upto")
-
-			row.update(loan_security_details.get(security))
-			row.update(
-				{
-					"total_qty": value.get("qty"),
-					"current_value": current_value,
-					"price_valid_upto": valid_upto,
-					"portfolio_percent": flt(current_value * 100 / total_portfolio_value, 2),
-					"pledged_applicant_count": value.get("applicant_count"),
-					"currency": currency,
-				}
-			)
-
-			data.append(row)
-
-	return data
-
-
-def get_company_wise_loan_security_details(filters, loan_security_details):
-	pledge_values, total_value_map, applicant_type_map = get_applicant_wise_total_loan_security_qty(
-		filters, loan_security_details
-	)
-
-	total_portfolio_value = 0
-	security_wise_map = {}
-	for key, qty in pledge_values.items():
-		security_wise_map.setdefault(key[1], {"qty": 0.0, "applicant_count": 0.0})
-
-		security_wise_map[key[1]]["qty"] += qty
-		if qty:
-			security_wise_map[key[1]]["applicant_count"] += 1
-
-		total_portfolio_value += flt(qty * loan_security_details.get(key[1], {}).get("latest_price", 0))
-
-	return security_wise_map, total_portfolio_value
diff --git a/erpnext/loan_management/report/loan_security_status/__init__.py b/erpnext/loan_management/report/loan_security_status/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/erpnext/loan_management/report/loan_security_status/__init__.py
+++ /dev/null
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
deleted file mode 100644
index 6e6191c..0000000
--- a/erpnext/loan_management/report/loan_security_status/loan_security_status.js
+++ /dev/null
@@ -1,46 +0,0 @@
-// 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
deleted file mode 100644
index 9eb948d..0000000
--- a/erpnext/loan_management/report/loan_security_status/loan_security_status.json
+++ /dev/null
@@ -1,27 +0,0 @@
-{
- "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
deleted file mode 100644
index 9a5a180..0000000
--- a/erpnext/loan_management/report/loan_security_status/loan_security_status.py
+++ /dev/null
@@ -1,116 +0,0 @@
-# Copyright (c) 2013, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-
-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,
-			"hidden": 1,
-		},
-	]
-
-	return columns
-
-
-def get_data(filters):
-
-	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, c.loan_security_price, c.amount
-		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"] = pledge.loan_security_price
-		row["loan_security_value"] = pledge.amount
-		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/loan_management/workspace/loan_management/loan_management.json b/erpnext/loan_management/workspace/loan_management/loan_management.json
deleted file mode 100644
index b08a85e..0000000
--- a/erpnext/loan_management/workspace/loan_management/loan_management.json
+++ /dev/null
@@ -1,273 +0,0 @@
-{
- "charts": [],
- "content": "[{\"type\":\"header\",\"data\":{\"text\":\"<span class=\\\"h4\\\"><b>Your Shortcuts</b></span>\",\"col\":12}},{\"type\":\"shortcut\",\"data\":{\"shortcut_name\":\"Loan Application\",\"col\":3}},{\"type\":\"shortcut\",\"data\":{\"shortcut_name\":\"Loan\",\"col\":3}},{\"type\":\"shortcut\",\"data\":{\"shortcut_name\":\"Dashboard\",\"col\":3}},{\"type\":\"spacer\",\"data\":{\"col\":12}},{\"type\":\"header\",\"data\":{\"text\":\"<span class=\\\"h4\\\"><b>Reports & Masters</b></span>\",\"col\":12}},{\"type\":\"card\",\"data\":{\"card_name\":\"Loan\",\"col\":4}},{\"type\":\"card\",\"data\":{\"card_name\":\"Loan Processes\",\"col\":4}},{\"type\":\"card\",\"data\":{\"card_name\":\"Disbursement and Repayment\",\"col\":4}},{\"type\":\"card\",\"data\":{\"card_name\":\"Loan Security\",\"col\":4}},{\"type\":\"card\",\"data\":{\"card_name\":\"Reports\",\"col\":4}}]",
- "creation": "2020-03-12 16:35:55.299820",
- "docstatus": 0,
- "doctype": "Workspace",
- "for_user": "",
- "hide_custom": 0,
- "icon": "loan",
- "idx": 0,
- "label": "Loans",
- "links": [
-  {
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan",
-   "link_count": 0,
-   "onboard": 0,
-   "type": "Card Break"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan Type",
-   "link_count": 0,
-   "link_to": "Loan Type",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan Application",
-   "link_count": 0,
-   "link_to": "Loan Application",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan",
-   "link_count": 0,
-   "link_to": "Loan",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan Processes",
-   "link_count": 0,
-   "onboard": 0,
-   "type": "Card Break"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Process Loan Security Shortfall",
-   "link_count": 0,
-   "link_to": "Process Loan Security Shortfall",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Process Loan Interest Accrual",
-   "link_count": 0,
-   "link_to": "Process Loan Interest Accrual",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Disbursement and Repayment",
-   "link_count": 0,
-   "onboard": 0,
-   "type": "Card Break"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan Disbursement",
-   "link_count": 0,
-   "link_to": "Loan Disbursement",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan Repayment",
-   "link_count": 0,
-   "link_to": "Loan Repayment",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan Write Off",
-   "link_count": 0,
-   "link_to": "Loan Write Off",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan Interest Accrual",
-   "link_count": 0,
-   "link_to": "Loan Interest Accrual",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan Security",
-   "link_count": 0,
-   "onboard": 0,
-   "type": "Card Break"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan Security Type",
-   "link_count": 0,
-   "link_to": "Loan Security Type",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan Security Price",
-   "link_count": 0,
-   "link_to": "Loan Security Price",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan Security",
-   "link_count": 0,
-   "link_to": "Loan Security",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan Security Pledge",
-   "link_count": 0,
-   "link_to": "Loan Security Pledge",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan Security Unpledge",
-   "link_count": 0,
-   "link_to": "Loan Security Unpledge",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan Security Shortfall",
-   "link_count": 0,
-   "link_to": "Loan Security Shortfall",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Reports",
-   "link_count": 0,
-   "onboard": 0,
-   "type": "Card Break"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 1,
-   "label": "Loan Repayment and Closure",
-   "link_count": 0,
-   "link_to": "Loan Repayment and Closure",
-   "link_type": "Report",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 1,
-   "label": "Loan Security Status",
-   "link_count": 0,
-   "link_to": "Loan Security Status",
-   "link_type": "Report",
-   "onboard": 0,
-   "type": "Link"
-  }
- ],
- "modified": "2022-01-13 17:39:16.790152",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Loans",
- "owner": "Administrator",
- "parent_page": "",
- "public": 1,
- "restrict_to_domain": "",
- "roles": [],
- "sequence_id": 16.0,
- "shortcuts": [
-  {
-   "color": "Green",
-   "format": "{} Open",
-   "label": "Loan Application",
-   "link_to": "Loan Application",
-   "stats_filter": "{ \"status\": \"Open\" }",
-   "type": "DocType"
-  },
-  {
-   "label": "Loan",
-   "link_to": "Loan",
-   "type": "DocType"
-  },
-  {
-   "doc_view": "",
-   "label": "Dashboard",
-   "link_to": "Loan Dashboard",
-   "type": "Dashboard"
-  }
- ],
- "title": "Loans"
-}
\ No newline at end of file
diff --git a/erpnext/loan_management/workspace/loans/loans.json b/erpnext/loan_management/workspace/loans/loans.json
deleted file mode 100644
index c25f4d3..0000000
--- a/erpnext/loan_management/workspace/loans/loans.json
+++ /dev/null
@@ -1,317 +0,0 @@
-{
- "charts": [],
- "content": "[{\"id\":\"_38WStznya\",\"type\":\"header\",\"data\":{\"text\":\"<span class=\\\"h4\\\"><b>Your Shortcuts</b></span>\",\"col\":12}},{\"id\":\"t7o_K__1jB\",\"type\":\"shortcut\",\"data\":{\"shortcut_name\":\"Loan Application\",\"col\":3}},{\"id\":\"IRiNDC6w1p\",\"type\":\"shortcut\",\"data\":{\"shortcut_name\":\"Loan\",\"col\":3}},{\"id\":\"xbbo0FYbq0\",\"type\":\"shortcut\",\"data\":{\"shortcut_name\":\"Dashboard\",\"col\":3}},{\"id\":\"7ZL4Bro-Vi\",\"type\":\"spacer\",\"data\":{\"col\":12}},{\"id\":\"yhyioTViZ3\",\"type\":\"header\",\"data\":{\"text\":\"<span class=\\\"h4\\\"><b>Reports &amp; Masters</b></span>\",\"col\":12}},{\"id\":\"oYFn4b1kSw\",\"type\":\"card\",\"data\":{\"card_name\":\"Loan\",\"col\":4}},{\"id\":\"vZepJF5tl9\",\"type\":\"card\",\"data\":{\"card_name\":\"Loan Processes\",\"col\":4}},{\"id\":\"k-393Mjhqe\",\"type\":\"card\",\"data\":{\"card_name\":\"Disbursement and Repayment\",\"col\":4}},{\"id\":\"6crJ0DBiBJ\",\"type\":\"card\",\"data\":{\"card_name\":\"Loan Security\",\"col\":4}},{\"id\":\"Um5YwxVLRJ\",\"type\":\"card\",\"data\":{\"card_name\":\"Reports\",\"col\":4}}]",
- "creation": "2020-03-12 16:35:55.299820",
- "custom_blocks": [],
- "docstatus": 0,
- "doctype": "Workspace",
- "for_user": "",
- "hide_custom": 0,
- "icon": "loan",
- "idx": 0,
- "is_hidden": 0,
- "label": "Loans",
- "links": [
-  {
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan",
-   "link_count": 0,
-   "onboard": 0,
-   "type": "Card Break"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan Type",
-   "link_count": 0,
-   "link_to": "Loan Type",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan Application",
-   "link_count": 0,
-   "link_to": "Loan Application",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan",
-   "link_count": 0,
-   "link_to": "Loan",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan Processes",
-   "link_count": 0,
-   "onboard": 0,
-   "type": "Card Break"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Process Loan Security Shortfall",
-   "link_count": 0,
-   "link_to": "Process Loan Security Shortfall",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Process Loan Interest Accrual",
-   "link_count": 0,
-   "link_to": "Process Loan Interest Accrual",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Disbursement and Repayment",
-   "link_count": 0,
-   "onboard": 0,
-   "type": "Card Break"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan Disbursement",
-   "link_count": 0,
-   "link_to": "Loan Disbursement",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan Repayment",
-   "link_count": 0,
-   "link_to": "Loan Repayment",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan Write Off",
-   "link_count": 0,
-   "link_to": "Loan Write Off",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan Interest Accrual",
-   "link_count": 0,
-   "link_to": "Loan Interest Accrual",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan Security",
-   "link_count": 0,
-   "onboard": 0,
-   "type": "Card Break"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan Security Type",
-   "link_count": 0,
-   "link_to": "Loan Security Type",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan Security Price",
-   "link_count": 0,
-   "link_to": "Loan Security Price",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan Security",
-   "link_count": 0,
-   "link_to": "Loan Security",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan Security Pledge",
-   "link_count": 0,
-   "link_to": "Loan Security Pledge",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan Security Unpledge",
-   "link_count": 0,
-   "link_to": "Loan Security Unpledge",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Loan Security Shortfall",
-   "link_count": 0,
-   "link_to": "Loan Security Shortfall",
-   "link_type": "DocType",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "hidden": 0,
-   "is_query_report": 0,
-   "label": "Reports",
-   "link_count": 6,
-   "onboard": 0,
-   "type": "Card Break"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 1,
-   "label": "Loan Repayment and Closure",
-   "link_count": 0,
-   "link_to": "Loan Repayment and Closure",
-   "link_type": "Report",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "dependencies": "",
-   "hidden": 0,
-   "is_query_report": 1,
-   "label": "Loan Security Status",
-   "link_count": 0,
-   "link_to": "Loan Security Status",
-   "link_type": "Report",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "hidden": 0,
-   "is_query_report": 1,
-   "label": "Loan Interest Report",
-   "link_count": 0,
-   "link_to": "Loan Interest Report",
-   "link_type": "Report",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "hidden": 0,
-   "is_query_report": 1,
-   "label": "Loan Security Exposure",
-   "link_count": 0,
-   "link_to": "Loan Security Exposure",
-   "link_type": "Report",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "hidden": 0,
-   "is_query_report": 1,
-   "label": "Applicant-Wise Loan Security Exposure",
-   "link_count": 0,
-   "link_to": "Applicant-Wise Loan Security Exposure",
-   "link_type": "Report",
-   "onboard": 0,
-   "type": "Link"
-  },
-  {
-   "hidden": 0,
-   "is_query_report": 1,
-   "label": "Loan Security Status",
-   "link_count": 0,
-   "link_to": "Loan Security Status",
-   "link_type": "Report",
-   "onboard": 0,
-   "type": "Link"
-  }
- ],
- "modified": "2023-05-24 14:47:24.109945",
- "modified_by": "Administrator",
- "module": "Loan Management",
- "name": "Loans",
- "number_cards": [],
- "owner": "Administrator",
- "parent_page": "",
- "public": 1,
- "quick_lists": [],
- "restrict_to_domain": "",
- "roles": [],
- "sequence_id": 15.0,
- "shortcuts": [
-  {
-   "color": "Green",
-   "format": "{} Open",
-   "label": "Loan Application",
-   "link_to": "Loan Application",
-   "stats_filter": "{ \"status\": \"Open\" }",
-   "type": "DocType"
-  },
-  {
-   "label": "Loan",
-   "link_to": "Loan",
-   "type": "DocType"
-  },
-  {
-   "doc_view": "",
-   "label": "Dashboard",
-   "link_to": "Loan Dashboard",
-   "type": "Dashboard"
-  }
- ],
- "title": "Loans"
-}
\ No newline at end of file
diff --git a/erpnext/modules.txt b/erpnext/modules.txt
index af96297..dcb4212 100644
--- a/erpnext/modules.txt
+++ b/erpnext/modules.txt
@@ -15,7 +15,6 @@
 ERPNext Integrations
 Quality Management
 Communication
-Loan Management
 Telephony
 Bulk Transaction
 E-commerce
diff --git a/erpnext/patches.txt b/erpnext/patches.txt
index fe6346e..dc05663 100644
--- a/erpnext/patches.txt
+++ b/erpnext/patches.txt
@@ -105,7 +105,6 @@
 execute:frappe.reload_doc('desk', 'doctype', 'dashboard_chart')
 execute:frappe.reload_doc('desk', 'doctype', 'dashboard_chart_field')
 erpnext.patches.v12_0.remove_bank_remittance_custom_fields
-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
@@ -145,7 +144,6 @@
 execute:frappe.rename_doc("Desk Page", "Getting Started", "Home", force=True)
 erpnext.patches.v12_0.unset_customer_supplier_based_on_type_of_item_price
 erpnext.patches.v12_0.set_valid_till_date_in_supplier_quotation
-erpnext.patches.v13_0.update_old_loans
 erpnext.patches.v12_0.set_serial_no_status #2020-05-21
 erpnext.patches.v12_0.update_price_list_currency_in_bom
 execute:frappe.reload_doctype('Dashboard')
@@ -154,7 +152,6 @@
 erpnext.patches.v13_0.update_actual_start_and_end_date_in_wo
 erpnext.patches.v12_0.update_bom_in_so_mr
 execute:frappe.delete_doc("Report", "Department Analytics")
-execute:frappe.rename_doc("Desk Page", "Loan Management", "Loan", force=True)
 erpnext.patches.v12_0.update_uom_conversion_factor
 erpnext.patches.v13_0.replace_pos_page_with_point_of_sale_page
 erpnext.patches.v13_0.delete_old_purchase_reports
@@ -187,7 +184,6 @@
 erpnext.patches.v13_0.update_pos_closing_entry_in_merge_log
 erpnext.patches.v13_0.add_po_to_global_search
 erpnext.patches.v13_0.update_returned_qty_in_pr_dn
-execute:frappe.rename_doc("Workspace", "Loan", "Loan Management", ignore_if_exists=True, force=True)
 erpnext.patches.v13_0.create_uae_pos_invoice_fields
 erpnext.patches.v13_0.update_project_template_tasks
 erpnext.patches.v13_0.convert_qi_parameter_to_link_field
@@ -204,7 +200,6 @@
 erpnext.patches.v13_0.update_shipment_status
 erpnext.patches.v13_0.remove_attribute_field_from_item_variant_setting
 erpnext.patches.v13_0.set_pos_closing_as_failed
-execute:frappe.rename_doc("Workspace", "Loan Management", "Loans", force=True)
 erpnext.patches.v13_0.update_timesheet_changes
 erpnext.patches.v13_0.add_doctype_to_sla #14-06-2021
 erpnext.patches.v13_0.bill_for_rejected_quantity_in_purchase_invoice
@@ -266,6 +261,7 @@
 erpnext.patches.v14_0.update_reference_due_date_in_journal_entry
 erpnext.patches.v15_0.saudi_depreciation_warning
 erpnext.patches.v15_0.delete_saudi_doctypes
+erpnext.patches.v14_0.show_loan_management_deprecation_warning
 
 [post_model_sync]
 execute:frappe.delete_doc_if_exists('Workspace', 'ERPNext Integrations Settings')
@@ -282,16 +278,13 @@
 erpnext.patches.v14_0.migrate_cost_center_allocations
 erpnext.patches.v13_0.convert_to_website_item_in_item_card_group_template
 erpnext.patches.v13_0.shopping_cart_to_ecommerce
-erpnext.patches.v13_0.update_disbursement_account
 erpnext.patches.v13_0.update_reserved_qty_closed_wo
 erpnext.patches.v13_0.update_exchange_rate_settings
 erpnext.patches.v14_0.delete_amazon_mws_doctype
 erpnext.patches.v13_0.set_work_order_qty_in_so_from_mr
-erpnext.patches.v13_0.update_accounts_in_loan_docs
 erpnext.patches.v13_0.item_reposting_for_incorrect_sl_and_gl
 erpnext.patches.v14_0.update_batch_valuation_flag
 erpnext.patches.v14_0.delete_non_profit_doctypes
-erpnext.patches.v13_0.add_cost_center_in_loans
 erpnext.patches.v13_0.set_return_against_in_pos_invoice_references
 erpnext.patches.v13_0.remove_unknown_links_to_prod_plan_items # 24-03-2022
 erpnext.patches.v13_0.copy_custom_field_filters_to_website_item
@@ -311,7 +304,6 @@
 erpnext.patches.v14_0.fix_crm_no_of_employees
 erpnext.patches.v14_0.create_accounting_dimensions_in_subcontracting_doctypes
 erpnext.patches.v14_0.fix_subcontracting_receipt_gl_entries
-erpnext.patches.v13_0.update_schedule_type_in_loans
 erpnext.patches.v13_0.drop_unused_sle_index_parts
 erpnext.patches.v14_0.create_accounting_dimensions_for_asset_capitalization
 erpnext.patches.v14_0.update_partial_tds_fields
@@ -339,5 +331,6 @@
 execute:frappe.delete_doc('DocType', 'Cash Flow Mapping Template', ignore_missing=True)
 execute:frappe.delete_doc('DocType', 'Cash Flow Mapping Accounts', ignore_missing=True)
 erpnext.patches.v14_0.cleanup_workspaces
+erpnext.patches.v15_0.remove_loan_management_module
 erpnext.patches.v14_0.set_report_in_process_SOA
-erpnext.buying.doctype.supplier.patches.migrate_supplier_portal_users
+erpnext.buying.doctype.supplier.patches.migrate_supplier_portal_users
\ No newline at end of file
diff --git a/erpnext/patches/v13_0/add_cost_center_in_loans.py b/erpnext/patches/v13_0/add_cost_center_in_loans.py
deleted file mode 100644
index e293cf2..0000000
--- a/erpnext/patches/v13_0/add_cost_center_in_loans.py
+++ /dev/null
@@ -1,12 +0,0 @@
-import frappe
-
-
-def execute():
-	frappe.reload_doc("loan_management", "doctype", "loan")
-	loan = frappe.qb.DocType("Loan")
-
-	for company in frappe.get_all("Company", pluck="name"):
-		default_cost_center = frappe.db.get_value("Company", company, "cost_center")
-		frappe.qb.update(loan).set(loan.cost_center, default_cost_center).where(
-			loan.company == company
-		).run()
diff --git a/erpnext/patches/v13_0/update_accounts_in_loan_docs.py b/erpnext/patches/v13_0/update_accounts_in_loan_docs.py
deleted file mode 100644
index bf98e9e..0000000
--- a/erpnext/patches/v13_0/update_accounts_in_loan_docs.py
+++ /dev/null
@@ -1,19 +0,0 @@
-import frappe
-
-
-def execute():
-	ld = frappe.qb.DocType("Loan Disbursement").as_("ld")
-	lr = frappe.qb.DocType("Loan Repayment").as_("lr")
-	loan = frappe.qb.DocType("Loan")
-
-	frappe.qb.update(ld).inner_join(loan).on(loan.name == ld.against_loan).set(
-		ld.disbursement_account, loan.disbursement_account
-	).set(ld.loan_account, loan.loan_account).where(ld.docstatus < 2).run()
-
-	frappe.qb.update(lr).inner_join(loan).on(loan.name == lr.against_loan).set(
-		lr.payment_account, loan.payment_account
-	).set(lr.loan_account, loan.loan_account).set(
-		lr.penalty_income_account, loan.penalty_income_account
-	).where(
-		lr.docstatus < 2
-	).run()
diff --git a/erpnext/patches/v13_0/update_disbursement_account.py b/erpnext/patches/v13_0/update_disbursement_account.py
deleted file mode 100644
index d6aba47..0000000
--- a/erpnext/patches/v13_0/update_disbursement_account.py
+++ /dev/null
@@ -1,14 +0,0 @@
-import frappe
-
-
-def execute():
-
-	frappe.reload_doc("loan_management", "doctype", "loan_type")
-	frappe.reload_doc("loan_management", "doctype", "loan")
-
-	loan_type = frappe.qb.DocType("Loan Type")
-	loan = frappe.qb.DocType("Loan")
-
-	frappe.qb.update(loan_type).set(loan_type.disbursement_account, loan_type.payment_account).run()
-
-	frappe.qb.update(loan).set(loan.disbursement_account, loan.payment_account).run()
diff --git a/erpnext/patches/v13_0/update_old_loans.py b/erpnext/patches/v13_0/update_old_loans.py
deleted file mode 100644
index 0bd3fcd..0000000
--- a/erpnext/patches/v13_0/update_old_loans.py
+++ /dev/null
@@ -1,200 +0,0 @@
-import frappe
-from frappe import _
-from frappe.model.naming import make_autoname
-from frappe.utils import flt, nowdate
-
-from erpnext.accounts.doctype.account.test_account import create_account
-from erpnext.loan_management.doctype.loan_repayment.loan_repayment import (
-	get_accrued_interest_entries,
-)
-from erpnext.loan_management.doctype.process_loan_interest_accrual.process_loan_interest_accrual import (
-	process_loan_interest_accrual_for_term_loans,
-)
-
-
-def execute():
-
-	# Create a penalty account for loan types
-
-	frappe.reload_doc("loan_management", "doctype", "loan_type")
-	frappe.reload_doc("loan_management", "doctype", "loan")
-	frappe.reload_doc("loan_management", "doctype", "repayment_schedule")
-	frappe.reload_doc("loan_management", "doctype", "process_loan_interest_accrual")
-	frappe.reload_doc("loan_management", "doctype", "loan_repayment")
-	frappe.reload_doc("loan_management", "doctype", "loan_repayment_detail")
-	frappe.reload_doc("loan_management", "doctype", "loan_interest_accrual")
-	frappe.reload_doc("accounts", "doctype", "gl_entry")
-	frappe.reload_doc("accounts", "doctype", "journal_entry_account")
-
-	updated_loan_types = []
-	loans_to_close = []
-
-	# Update old loan status as closed
-	if frappe.db.has_column("Repayment Schedule", "paid"):
-		loans_list = frappe.db.sql(
-			"""SELECT distinct parent from `tabRepayment Schedule`
-			where paid = 0 and docstatus = 1""",
-			as_dict=1,
-		)
-
-		loans_to_close = [d.parent for d in loans_list]
-
-	if loans_to_close:
-		frappe.db.sql(
-			"UPDATE `tabLoan` set status = 'Closed' where name not in (%s)"
-			% (", ".join(["%s"] * len(loans_to_close))),
-			tuple(loans_to_close),
-		)
-
-	loans = frappe.get_all(
-		"Loan",
-		fields=[
-			"name",
-			"loan_type",
-			"company",
-			"status",
-			"mode_of_payment",
-			"applicant_type",
-			"applicant",
-			"loan_account",
-			"payment_account",
-			"interest_income_account",
-		],
-		filters={"docstatus": 1, "status": ("!=", "Closed")},
-	)
-
-	for loan in loans:
-		# Update details in Loan Types and Loan
-		loan_type_company = frappe.db.get_value("Loan Type", loan.loan_type, "company")
-		loan_type = loan.loan_type
-
-		group_income_account = frappe.get_value(
-			"Account",
-			{
-				"company": loan.company,
-				"is_group": 1,
-				"root_type": "Income",
-				"account_name": _("Indirect Income"),
-			},
-		)
-
-		if not group_income_account:
-			group_income_account = frappe.get_value(
-				"Account", {"company": loan.company, "is_group": 1, "root_type": "Income"}
-			)
-
-		penalty_account = create_account(
-			company=loan.company,
-			account_type="Income Account",
-			account_name="Penalty Account",
-			parent_account=group_income_account,
-		)
-
-		# Same loan type used for multiple companies
-		if loan_type_company and loan_type_company != loan.company:
-			# get loan type for appropriate company
-			loan_type_name = frappe.get_value(
-				"Loan Type",
-				{
-					"company": loan.company,
-					"mode_of_payment": loan.mode_of_payment,
-					"loan_account": loan.loan_account,
-					"payment_account": loan.payment_account,
-					"disbursement_account": loan.payment_account,
-					"interest_income_account": loan.interest_income_account,
-					"penalty_income_account": loan.penalty_income_account,
-				},
-				"name",
-			)
-
-			if not loan_type_name:
-				loan_type_name = create_loan_type(loan, loan_type_name, penalty_account)
-
-			# update loan type in loan
-			frappe.db.sql(
-				"UPDATE `tabLoan` set loan_type = %s where name = %s", (loan_type_name, loan.name)
-			)
-
-			loan_type = loan_type_name
-			if loan_type_name not in updated_loan_types:
-				updated_loan_types.append(loan_type_name)
-
-		elif not loan_type_company:
-			loan_type_doc = frappe.get_doc("Loan Type", loan.loan_type)
-			loan_type_doc.is_term_loan = 1
-			loan_type_doc.company = loan.company
-			loan_type_doc.mode_of_payment = loan.mode_of_payment
-			loan_type_doc.payment_account = loan.payment_account
-			loan_type_doc.loan_account = loan.loan_account
-			loan_type_doc.interest_income_account = loan.interest_income_account
-			loan_type_doc.penalty_income_account = penalty_account
-			loan_type_doc.submit()
-			updated_loan_types.append(loan.loan_type)
-			loan_type = loan.loan_type
-
-		if loan_type in updated_loan_types:
-			if loan.status == "Fully Disbursed":
-				status = "Disbursed"
-			elif loan.status == "Repaid/Closed":
-				status = "Closed"
-			else:
-				status = loan.status
-
-			frappe.db.set_value(
-				"Loan",
-				loan.name,
-				{"is_term_loan": 1, "penalty_income_account": penalty_account, "status": status},
-			)
-
-			process_loan_interest_accrual_for_term_loans(
-				posting_date=nowdate(), loan_type=loan_type, loan=loan.name
-			)
-
-			if frappe.db.has_column("Repayment Schedule", "paid"):
-				total_principal, total_interest = frappe.db.get_value(
-					"Repayment Schedule",
-					{"paid": 1, "parent": loan.name},
-					["sum(principal_amount) as total_principal", "sum(interest_amount) as total_interest"],
-				)
-
-				accrued_entries = get_accrued_interest_entries(loan.name)
-				for entry in accrued_entries:
-					interest_paid = 0
-					principal_paid = 0
-
-					if flt(total_interest) > flt(entry.interest_amount):
-						interest_paid = flt(entry.interest_amount)
-					else:
-						interest_paid = flt(total_interest)
-
-					if flt(total_principal) > flt(entry.payable_principal_amount):
-						principal_paid = flt(entry.payable_principal_amount)
-					else:
-						principal_paid = flt(total_principal)
-
-					frappe.db.sql(
-						""" UPDATE `tabLoan Interest Accrual`
-						SET paid_principal_amount = `paid_principal_amount` + %s,
-							paid_interest_amount = `paid_interest_amount` + %s
-						WHERE name = %s""",
-						(principal_paid, interest_paid, entry.name),
-					)
-
-					total_principal = flt(total_principal) - principal_paid
-					total_interest = flt(total_interest) - interest_paid
-
-
-def create_loan_type(loan, loan_type_name, penalty_account):
-	loan_type_doc = frappe.new_doc("Loan Type")
-	loan_type_doc.loan_name = make_autoname("Loan Type-.####")
-	loan_type_doc.is_term_loan = 1
-	loan_type_doc.company = loan.company
-	loan_type_doc.mode_of_payment = loan.mode_of_payment
-	loan_type_doc.payment_account = loan.payment_account
-	loan_type_doc.disbursement_account = loan.payment_account
-	loan_type_doc.loan_account = loan.loan_account
-	loan_type_doc.interest_income_account = loan.interest_income_account
-	loan_type_doc.penalty_income_account = penalty_account
-	loan_type_doc.submit()
-
-	return loan_type_doc.name
diff --git a/erpnext/patches/v13_0/update_schedule_type_in_loans.py b/erpnext/patches/v13_0/update_schedule_type_in_loans.py
deleted file mode 100644
index e5b5f64..0000000
--- a/erpnext/patches/v13_0/update_schedule_type_in_loans.py
+++ /dev/null
@@ -1,14 +0,0 @@
-import frappe
-
-
-def execute():
-	loan = frappe.qb.DocType("Loan")
-	loan_type = frappe.qb.DocType("Loan Type")
-
-	frappe.qb.update(loan_type).set(
-		loan_type.repayment_schedule_type, "Monthly as per repayment start date"
-	).where(loan_type.is_term_loan == 1).run()
-
-	frappe.qb.update(loan).set(
-		loan.repayment_schedule_type, "Monthly as per repayment start date"
-	).where(loan.is_term_loan == 1).run()
diff --git a/erpnext/patches/v14_0/show_loan_management_deprecation_warning.py b/erpnext/patches/v14_0/show_loan_management_deprecation_warning.py
new file mode 100644
index 0000000..af87c0f
--- /dev/null
+++ b/erpnext/patches/v14_0/show_loan_management_deprecation_warning.py
@@ -0,0 +1,16 @@
+import click
+import frappe
+
+
+def execute():
+	if "lending" in frappe.get_installed_apps():
+		return
+
+	click.secho(
+		"Loan Management module has been moved to a separate app"
+		" and will be removed from ERPNext in Version 15."
+		" Please install the Lending app when upgrading to Version 15"
+		" to continue using the Loan Management module:\n"
+		"https://github.com/frappe/lending",
+		fg="yellow",
+	)
diff --git a/erpnext/patches/v15_0/remove_loan_management_module.py b/erpnext/patches/v15_0/remove_loan_management_module.py
new file mode 100644
index 0000000..6f08c36
--- /dev/null
+++ b/erpnext/patches/v15_0/remove_loan_management_module.py
@@ -0,0 +1,48 @@
+import frappe
+
+
+def execute():
+	if "lending" in frappe.get_installed_apps():
+		return
+
+	frappe.delete_doc("Module Def", "Loan Management", ignore_missing=True, force=True)
+
+	frappe.delete_doc("Workspace", "Loan Management", ignore_missing=True, force=True)
+
+	print_formats = frappe.get_all(
+		"Print Format", {"module": "Loan Management", "standard": "Yes"}, pluck="name"
+	)
+	for print_format in print_formats:
+		frappe.delete_doc("Print Format", print_format, ignore_missing=True, force=True)
+
+	reports = frappe.get_all(
+		"Report", {"module": "Loan Management", "is_standard": "Yes"}, pluck="name"
+	)
+	for report in reports:
+		frappe.delete_doc("Report", report, ignore_missing=True, force=True)
+
+	doctypes = frappe.get_all("DocType", {"module": "Loan Management", "custom": 0}, pluck="name")
+	for doctype in doctypes:
+		frappe.delete_doc("DocType", doctype, ignore_missing=True, force=True)
+
+	notifications = frappe.get_all(
+		"Notification", {"module": "Loan Management", "is_standard": 1}, pluck="name"
+	)
+	for notifcation in notifications:
+		frappe.delete_doc("Notification", notifcation, ignore_missing=True, force=True)
+
+	for dt in ["Web Form", "Dashboard", "Dashboard Chart", "Number Card"]:
+		records = frappe.get_all(dt, {"module": "Loan Management", "is_standard": 1}, pluck="name")
+		for record in records:
+			frappe.delete_doc(dt, record, ignore_missing=True, force=True)
+
+	custom_fields = {
+		"Loan": ["repay_from_salary"],
+		"Loan Repayment": ["repay_from_salary", "payroll_payable_account"],
+	}
+
+	for doc, fields in custom_fields.items():
+		filters = {"dt": doc, "fieldname": ["in", fields]}
+		records = frappe.get_all("Custom Field", filters=filters, pluck="name")
+		for record in records:
+			frappe.delete_doc("Custom Field", record, ignore_missing=True, force=True)
diff --git a/erpnext/tests/utils.py b/erpnext/tests/utils.py
index 159ce70..b553a7c 100644
--- a/erpnext/tests/utils.py
+++ b/erpnext/tests/utils.py
@@ -94,3 +94,25 @@
 		except Exception:
 			print(f"Report failed to execute with filters: {test_filter}")
 			raise
+
+
+def if_lending_app_installed(function):
+	"""Decorator to check if lending app is installed"""
+
+	def wrapper(*args, **kwargs):
+		if "lending" in frappe.get_installed_apps():
+			return function(*args, **kwargs)
+		return
+
+	return wrapper
+
+
+def if_lending_app_not_installed(function):
+	"""Decorator to check if lending app is not installed"""
+
+	def wrapper(*args, **kwargs):
+		if "lending" not in frappe.get_installed_apps():
+			return function(*args, **kwargs)
+		return
+
+	return wrapper
diff --git a/erpnext/translations/af.csv b/erpnext/translations/af.csv
index bbfcd23..68f8cce 100644
--- a/erpnext/translations/af.csv
+++ b/erpnext/translations/af.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Van toepassing as die onderneming SpA, SApA of SRL is",
 Applicable if the company is a limited liability company,Van toepassing indien die maatskappy &#39;n maatskappy met beperkte aanspreeklikheid is,
 Applicable if the company is an Individual or a Proprietorship,Van toepassing indien die onderneming &#39;n individu of &#39;n eiendomsreg is,
-Applicant,aansoeker,
-Applicant Type,Aansoeker Tipe,
 Application of Funds (Assets),Toepassing van fondse (bates),
 Application period cannot be across two allocation records,Aansoekperiode kan nie oor twee toekenningsrekords wees nie,
 Application period cannot be outside leave allocation period,Aansoek tydperk kan nie buite verlof toekenning tydperk,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Lys van beskikbare Aandeelhouers met folio nommers,
 Loading Payment System,Laai betaalstelsel,
 Loan,lening,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Lening Bedrag kan nie Maksimum Lening Bedrag van {0},
-Loan Application,Leningsaansoek,
-Loan Management,Leningbestuur,
-Loan Repayment,Lening Terugbetaling,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Die begindatum van die lening en die leningstydperk is verpligtend om die faktuurdiskontering te bespaar,
 Loans (Liabilities),Lenings (laste),
 Loans and Advances (Assets),Lenings en voorskotte (bates),
@@ -1611,7 +1605,6 @@
 Monday,Maandag,
 Monthly,maandelikse,
 Monthly Distribution,Maandelikse Verspreiding,
-Monthly Repayment Amount cannot be greater than Loan Amount,Maandelikse Terugbetalingsbedrag kan nie groter wees as Leningbedrag nie,
 More,meer,
 More Information,Meer inligting,
 More than one selection for {0} not allowed,Meer as een keuse vir {0} word nie toegelaat nie,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Betaal {0} {1},
 Payable,betaalbaar,
 Payable Account,Betaalbare rekening,
-Payable Amount,Betaalbare bedrag,
 Payment,betaling,
 Payment Cancelled. Please check your GoCardless Account for more details,Betaling gekanselleer. Gaan asseblief jou GoCardless rekening vir meer besonderhede,
 Payment Confirmation,Bevestiging van betaling,
-Payment Date,Betaaldatum,
 Payment Days,Betalingsdae,
 Payment Document,Betalingsdokument,
 Payment Due Date,Betaaldatum,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,Voer asseblief eers Aankoop Ontvangst in,
 Please enter Receipt Document,Vul asseblief die kwitansie dokument in,
 Please enter Reference date,Voer asseblief Verwysingsdatum in,
-Please enter Repayment Periods,Voer asseblief terugbetalingsperiodes in,
 Please enter Reqd by Date,Voer asseblief Reqd by Date in,
 Please enter Woocommerce Server URL,Voer asseblief die Woocommerce-bediener-URL in,
 Please enter Write Off Account,Voer asseblief &#39;Skryf &#39;n rekening in,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,Voer asseblief ouer koste sentrum in,
 Please enter quantity for Item {0},Gee asseblief die hoeveelheid vir item {0},
 Please enter relieving date.,Vul asseblief die verlig datum in.,
-Please enter repayment Amount,Voer asseblief terugbetalingsbedrag in,
 Please enter valid Financial Year Start and End Dates,Voer asseblief geldige finansiële jaar se begin- en einddatums in,
 Please enter valid email address,Voer asseblief &#39;n geldige e-posadres in,
 Please enter {0} first,Voer asseblief eers {0} in,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Prysreëls word verder gefiltreer op grond van hoeveelheid.,
 Primary Address Details,Primêre adresbesonderhede,
 Primary Contact Details,Primêre kontakbesonderhede,
-Principal Amount,Hoofbedrag,
 Print Format,Drukformaat,
 Print IRS 1099 Forms,Druk IRS 1099-vorms uit,
 Print Report Card,Druk verslagkaart,
@@ -2550,7 +2538,6 @@
 Sample Collection,Voorbeeld versameling,
 Sample quantity {0} cannot be more than received quantity {1},Voorbeeldhoeveelheid {0} kan nie meer wees as die hoeveelheid ontvang nie {1},
 Sanctioned,beboet,
-Sanctioned Amount,Beperkte bedrag,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Gekonfekteerde bedrag kan nie groter wees as eisbedrag in ry {0} nie.,
 Sand,sand,
 Saturday,Saterdag,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} het reeds &#39;n ouerprosedure {1}.,
 API,API,
 Annual,jaarlikse,
-Approved,goedgekeur,
 Change,verandering,
 Contact Email,Kontak e-pos,
 Export Type,Uitvoer Tipe,
@@ -3571,7 +3557,6 @@
 Account Value,Rekeningwaarde,
 Account is mandatory to get payment entries,Rekeninge is verpligtend om betalingsinskrywings te kry,
 Account is not set for the dashboard chart {0},Die rekening is nie opgestel vir die paneelkaart {0},
-Account {0} does not belong to company {1},Rekening {0} behoort nie aan die maatskappy {1},
 Account {0} does not exists in the dashboard chart {1},Rekening {0} bestaan nie in die paneelkaart {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Rekening: <b>{0}</b> is kapitaal Werk aan die gang en kan nie deur die joernaalinskrywing bygewerk word nie,
 Account: {0} is not permitted under Payment Entry,Rekening: {0} is nie toegelaat onder betalingstoelae nie,
@@ -3582,7 +3567,6 @@
 Activity,aktiwiteit,
 Add / Manage Email Accounts.,Voeg / Bestuur e-pos rekeninge.,
 Add Child,Voeg kind by,
-Add Loan Security,Voeg leningsekuriteit by,
 Add Multiple,Voeg meerdere by,
 Add Participants,Voeg Deelnemers by,
 Add to Featured Item,Voeg by die voorgestelde artikel,
@@ -3593,15 +3577,12 @@
 Address Line 1,Adres Lyn 1,
 Addresses,adresse,
 Admission End Date should be greater than Admission Start Date.,Einddatum vir toelating moet groter wees as die aanvangsdatum vir toelating.,
-Against Loan,Teen lening,
-Against Loan:,Teen lening:,
 All,Almal,
 All bank transactions have been created,Alle banktransaksies is geskep,
 All the depreciations has been booked,Al die waardevermindering is bespreek,
 Allocation Expired!,Toekenning verval!,
 Allow Resetting Service Level Agreement from Support Settings.,Laat die diensvlakooreenkoms weer instel van ondersteuninginstellings.,
 Amount of {0} is required for Loan closure,Bedrag van {0} is nodig vir leningsluiting,
-Amount paid cannot be zero,Bedrag betaal kan nie nul wees nie,
 Applied Coupon Code,Toegepaste koeponkode,
 Apply Coupon Code,Pas koeponkode toe,
 Appointment Booking,Aanstellings bespreking,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,"Kan nie die aankomstyd bereken nie, aangesien die adres van die bestuurder ontbreek.",
 Cannot Optimize Route as Driver Address is Missing.,"Kan nie die roete optimaliseer nie, aangesien die bestuurder se adres ontbreek.",
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Kan nie taak {0} voltooi nie, want die afhanklike taak {1} is nie saamgevoeg / gekanselleer nie.",
-Cannot create loan until application is approved,Kan nie &#39;n lening maak totdat die aansoek goedgekeur is nie,
 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}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Kan nie meer as {2} oor item {0} in ry {1} oorkoop nie. Om oorfakturering toe te laat, stel asseblief toelae in rekeninginstellings",
 "Capacity Planning Error, planned start time can not be same as end time","Kapasiteitsbeplanningsfout, beplande begintyd kan nie dieselfde wees as eindtyd nie",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Minder as die bedrag,
 Liabilities,laste,
 Loading...,Laai ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Leningsbedrag oorskry die maksimum leningsbedrag van {0} volgens voorgestelde sekuriteite,
 Loan Applications from customers and employees.,Leningsaansoeke van kliënte en werknemers.,
-Loan Disbursement,Leninguitbetaling,
 Loan Processes,Leningsprosesse,
-Loan Security,Leningsekuriteit,
-Loan Security Pledge,Veiligheidsbelofte vir lenings,
-Loan Security Pledge Created : {0},Veiligheidsbelofte vir lenings geskep: {0},
-Loan Security Price,Leningsprys,
-Loan Security Price overlapping with {0},Lening-sekuriteitsprys wat met {0} oorvleuel,
-Loan Security Unpledge,Uitleen van sekuriteitslenings,
-Loan Security Value,Leningsekuriteitswaarde,
 Loan Type for interest and penalty rates,Tipe lening vir rente en boetes,
-Loan amount cannot be greater than {0},Leningsbedrag kan nie groter wees as {0},
-Loan is mandatory,Lening is verpligtend,
 Loans,lenings,
 Loans provided to customers and employees.,Lenings aan kliënte en werknemers.,
 Location,plek,
@@ -3894,7 +3863,6 @@
 Pay,betaal,
 Payment Document Type,Betaaldokumenttipe,
 Payment Name,Betaalnaam,
-Penalty Amount,Strafbedrag,
 Pending,hangende,
 Performance,Optrede,
 Period based On,Tydperk gebaseer op,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,Meld asseblief aan as &#39;n Marketplace-gebruiker om hierdie artikel te wysig.,
 Please login as a Marketplace User to report this item.,Meld u as &#39;n Marketplace-gebruiker aan om hierdie item te rapporteer.,
 Please select <b>Template Type</b> to download template,Kies <b>Sjabloontipe</b> om die sjabloon af te laai,
-Please select Applicant Type first,Kies eers die aansoeker tipe,
 Please select Customer first,Kies eers kliënt,
 Please select Item Code first,Kies eers die itemkode,
-Please select Loan Type for company {0},Kies leningstipe vir maatskappy {0},
 Please select a Delivery Note,Kies &#39;n afleweringsnota,
 Please select a Sales Person for item: {0},Kies &#39;n verkoopspersoon vir item: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Kies asseblief &#39;n ander betaalmetode. Stripe ondersteun nie transaksies in valuta &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Stel asseblief &#39;n standaardbankrekening vir maatskappy {0} op,
 Please specify,Spesifiseer asseblief,
 Please specify a {0},Spesifiseer asseblief &#39;n {0},lead
-Pledge Status,Belofte status,
-Pledge Time,Beloftetyd,
 Printing,druk,
 Priority,prioriteit,
 Priority has been changed to {0}.,Prioriteit is verander na {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Verwerk XML-lêers,
 Profitability,winsgewendheid,
 Project,projek,
-Proposed Pledges are mandatory for secured Loans,Voorgestelde pandjies is verpligtend vir versekerde lenings,
 Provide the academic year and set the starting and ending date.,Voorsien die akademiese jaar en stel die begin- en einddatum vas.,
 Public token is missing for this bank,Daar is &#39;n openbare teken vir hierdie bank ontbreek,
 Publish,publiseer,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Die aankoopbewys het geen item waarvoor die behoudmonster geaktiveer is nie.,
 Purchase Return,Koop opgawe,
 Qty of Finished Goods Item,Aantal eindprodukte,
-Qty or Amount is mandatroy for loan security,Aantal of Bedrag is verpligtend vir leningsekuriteit,
 Quality Inspection required for Item {0} to submit,Kwaliteitinspeksie benodig vir indiening van item {0},
 Quantity to Manufacture,Hoeveelheid te vervaardig,
 Quantity to Manufacture can not be zero for the operation {0},Hoeveelheid te vervaardig kan nie nul wees vir die bewerking {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Verligtingsdatum moet groter wees as of gelyk wees aan die Datum van aansluiting,
 Rename,hernoem,
 Rename Not Allowed,Hernoem nie toegelaat nie,
-Repayment Method is mandatory for term loans,Terugbetalingsmetode is verpligtend vir termynlenings,
-Repayment Start Date is mandatory for term loans,Aanvangsdatum vir terugbetaling is verpligtend vir termynlenings,
 Report Item,Rapporteer item,
 Report this Item,Rapporteer hierdie item,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Gereserveerde hoeveelheid vir subkontrakte: hoeveelheid grondstowwe om onderaangekoopte items te maak.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Ry ({0}): {1} is alreeds afslag op {2},
 Rows Added in {0},Rye bygevoeg in {0},
 Rows Removed in {0},Rye is verwyder in {0},
-Sanctioned Amount limit crossed for {0} {1},Die goedgekeurde hoeveelheid limiete is gekruis vir {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},Bestaande leningsbedrag bestaan reeds vir {0} teen maatskappy {1},
 Save,Save,
 Save Item,Stoor item,
 Saved Items,Gestoorde items,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Gebruiker {0} is gedeaktiveer,
 Users and Permissions,Gebruikers en toestemmings,
 Vacancies cannot be lower than the current openings,Vakatures kan nie laer wees as die huidige openings nie,
-Valid From Time must be lesser than Valid Upto Time.,Geldig vanaf tyd moet kleiner wees as geldig tot tyd.,
 Valuation Rate required for Item {0} at row {1},Waardasietempo benodig vir item {0} op ry {1},
 Values Out Of Sync,Waardes buite sinchronisasie,
 Vehicle Type is required if Mode of Transport is Road,Die voertuigtipe word benodig as die manier van vervoer op pad is,
@@ -4211,7 +4168,6 @@
 Add to Cart,Voeg by die winkelwagen,
 Days Since Last Order,Dae sedert die laaste bestelling,
 In Stock,Op voorraad,
-Loan Amount is mandatory,Leningsbedrag is verpligtend,
 Mode Of Payment,Betaalmetode,
 No students Found,Geen studente gevind nie,
 Not in Stock,Nie in voorraad nie,
@@ -4240,7 +4196,6 @@
 Group by,Groep By,
 In stock,In voorraad,
 Item name,Item naam,
-Loan amount is mandatory,Leningsbedrag is verpligtend,
 Minimum Qty,Minimum Aantal,
 More details,Meer besonderhede,
 Nature of Supplies,Aard van voorrade,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Totale voltooide hoeveelheid,
 Qty to Manufacture,Hoeveelheid om te vervaardig,
 Repay From Salary can be selected only for term loans,Terugbetaling uit salaris kan slegs vir termynlenings gekies word,
-No valid Loan Security Price found for {0},Geen geldige sekuriteitsprys vir lenings gevind vir {0},
-Loan Account and Payment Account cannot be same,Leningrekening en betaalrekening kan nie dieselfde wees nie,
-Loan Security Pledge can only be created for secured loans,Leningversekeringsbelofte kan slegs vir veilige lenings aangegaan word,
 Social Media Campaigns,Sosiale media-veldtogte,
 From Date can not be greater than To Date,Vanaf datum kan nie groter wees as tot op datum nie,
 Please set a Customer linked to the Patient,Stel &#39;n kliënt in wat aan die pasiënt gekoppel is,
@@ -6437,7 +6389,6 @@
 HR User,HR gebruiker,
 Appointment Letter,Aanstellingsbrief,
 Job Applicant,Werksaansoeker,
-Applicant Name,Aansoeker Naam,
 Appointment Date,Aanstellingsdatum,
 Appointment Letter Template,Aanstellingsbriefsjabloon,
 Body,liggaam,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Sinkroniseer in voortsetting,
 Hub Seller Name,Hub Verkoper Naam,
 Custom Data,Aangepaste data,
-Member,lid,
-Partially Disbursed,Gedeeltelik uitbetaal,
-Loan Closure Requested,Leningsluiting gevra,
 Repay From Salary,Terugbetaal van Salaris,
-Loan Details,Leningsbesonderhede,
-Loan Type,Lening Tipe,
-Loan Amount,Leningsbedrag,
-Is Secured Loan,Is versekerde lening,
-Rate of Interest (%) / Year,Rentekoers (%) / Jaar,
-Disbursement Date,Uitbetalingsdatum,
-Disbursed Amount,Uitbetaalde bedrag,
-Is Term Loan,Is termynlening,
-Repayment Method,Terugbetaling Metode,
-Repay Fixed Amount per Period,Herstel vaste bedrag per Periode,
-Repay Over Number of Periods,Terugbetaling oor aantal periodes,
-Repayment Period in Months,Terugbetalingsperiode in maande,
-Monthly Repayment Amount,Maandelikse Terugbetalingsbedrag,
-Repayment Start Date,Terugbetaling Begin Datum,
-Loan Security Details,Leningsekuriteitsbesonderhede,
-Maximum Loan Value,Maksimum leningswaarde,
-Account Info,Rekeninginligting,
-Loan Account,Leningsrekening,
-Interest Income Account,Rente Inkomsterekening,
-Penalty Income Account,Boete-inkomsterekening,
-Repayment Schedule,Terugbetalingskedule,
-Total Payable Amount,Totale betaalbare bedrag,
-Total Principal Paid,Totale hoofbetaal,
-Total Interest Payable,Totale rente betaalbaar,
-Total Amount Paid,Totale bedrag betaal,
-Loan Manager,Leningsbestuurder,
-Loan Info,Leningsinligting,
-Rate of Interest,Rentekoers,
-Proposed Pledges,Voorgestelde beloftes,
-Maximum Loan Amount,Maksimum leningsbedrag,
-Repayment Info,Terugbetalingsinligting,
-Total Payable Interest,Totale betaalbare rente,
-Against Loan ,Teen lening,
-Loan Interest Accrual,Toeval van lenings,
-Amounts,bedrae,
-Pending Principal Amount,Hangende hoofbedrag,
-Payable Principal Amount,Hoofbedrag betaalbaar,
-Paid Principal Amount,Betaalde hoofbedrag,
-Paid Interest Amount,Betaalde rente bedrag,
-Process Loan Interest Accrual,Verwerking van lening rente,
-Repayment Schedule Name,Terugbetalingskedule Naam,
 Regular Payment,Gereelde betaling,
 Loan Closure,Leningsluiting,
-Payment Details,Betaling besonderhede,
-Interest Payable,Rente betaalbaar,
-Amount Paid,Bedrag betaal,
-Principal Amount Paid,Hoofbedrag betaal,
-Repayment Details,Terugbetalingsbesonderhede,
-Loan Repayment Detail,Terugbetaling van lening,
-Loan Security Name,Leningsekuriteitsnaam,
-Unit Of Measure,Maateenheid,
-Loan Security Code,Leningsekuriteitskode,
-Loan Security Type,Tipe lenings,
-Haircut %,Haarknip%,
-Loan  Details,Leningsbesonderhede,
-Unpledged,Unpledged,
-Pledged,belowe,
-Partially Pledged,Gedeeltelik belowe,
-Securities,sekuriteite,
-Total Security Value,Totale sekuriteitswaarde,
-Loan Security Shortfall,Tekort aan leningsekuriteit,
-Loan ,lening,
-Shortfall Time,Tekort tyd,
-America/New_York,Amerika / New_York,
-Shortfall Amount,Tekortbedrag,
-Security Value ,Sekuriteitswaarde,
-Process Loan Security Shortfall,Verwerk leningsekuriteit,
-Loan To Value Ratio,Lening tot Waardeverhouding,
-Unpledge Time,Unpedge-tyd,
-Loan Name,Lening Naam,
 Rate of Interest (%) Yearly,Rentekoers (%) Jaarliks,
-Penalty Interest Rate (%) Per Day,Boete rentekoers (%) per dag,
-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,
-Grace Period in Days,Genade tydperk in dae,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,Aantal dae vanaf die vervaldatum totdat die boete nie gehef sal word in geval van vertraging in die terugbetaling van die lening nie,
-Pledge,belofte,
-Post Haircut Amount,Bedrag na kapsel,
-Process Type,Proses tipe,
-Update Time,Opdateringstyd,
-Proposed Pledge,Voorgestelde belofte,
-Total Payment,Totale betaling,
-Balance Loan Amount,Saldo Lening Bedrag,
-Is Accrued,Opgeloop,
 Salary Slip Loan,Salaris Slip Lening,
 Loan Repayment Entry,Terugbetaling van lenings,
-Sanctioned Loan Amount,Goedgekeurde leningsbedrag,
-Sanctioned Amount Limit,Sanktiewe Bedraglimiet,
-Unpledge,Unpledge,
-Haircut,haarsny,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Genereer skedule,
 Schedules,skedules,
@@ -7885,7 +7749,6 @@
 Update Series,Update Series,
 Change the starting / current sequence number of an existing series.,Verander die begin- / huidige volgordenommer van &#39;n bestaande reeks.,
 Prefix,voorvoegsel,
-Current Value,Huidige waarde,
 This is the number of the last created transaction with this prefix,Dit is die nommer van die laaste geskep transaksie met hierdie voorvoegsel,
 Update Series Number,Werk reeksnommer,
 Quotation Lost Reason,Kwotasie Verlore Rede,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise Recommended Reorder Level,
 Lead Details,Loodbesonderhede,
 Lead Owner Efficiency,Leier Eienaar Efficiency,
-Loan Repayment and Closure,Terugbetaling en sluiting van lenings,
-Loan Security Status,Leningsekuriteitstatus,
 Lost Opportunity,Geleë geleentheid verloor,
 Maintenance Schedules,Onderhoudskedules,
 Material Requests for which Supplier Quotations are not created,Materiële Versoeke waarvoor Verskaffer Kwotasies nie geskep word nie,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Getal getel: {0},
 Payment Account is mandatory,Betaalrekening is verpligtend,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","As dit gekontroleer word, sal die volle bedrag van die belasbare inkomste afgetrek word voordat inkomstebelasting bereken word sonder enige verklaring of bewys.",
-Disbursement Details,Uitbetalingsbesonderhede,
 Material Request Warehouse,Materiaalversoekpakhuis,
 Select warehouse for material requests,Kies pakhuis vir materiaalversoeke,
 Transfer Materials For Warehouse {0},Oordragmateriaal vir pakhuis {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Betaal onopgeëiste bedrag terug van die salaris,
 Deduction from salary,Aftrekking van salaris,
 Expired Leaves,Verlore blare,
-Reference No,Verwysingsnommer,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,Kapselpersentasie is die persentasieverskil tussen die markwaarde van die Leningsekuriteit en die waarde wat aan die Leningsekuriteit toegeskryf word wanneer dit as waarborg vir daardie lening gebruik word.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,Lening-tot-waarde-verhouding druk die verhouding tussen die leningsbedrag en die waarde van die verpande sekuriteit uit. &#39;N Tekort aan leningsekuriteit sal veroorsaak word as dit onder die gespesifiseerde waarde vir &#39;n lening val,
 If this is not checked the loan by default will be considered as a Demand Loan,"As dit nie gekontroleer word nie, sal die lening by verstek as &#39;n vraaglening beskou word",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Hierdie rekening word gebruik om lenings van die lener terug te betaal en ook om lenings aan die lener uit te betaal,
 This account is capital account which is used to allocate capital for loan disbursal account ,Hierdie rekening is &#39;n kapitaalrekening wat gebruik word om kapitaal toe te ken vir die uitbetaling van lenings,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Handeling {0} behoort nie tot die werkbestelling nie {1},
 Print UOM after Quantity,Druk UOM na hoeveelheid uit,
 Set default {0} account for perpetual inventory for non stock items,Stel die standaard {0} -rekening vir permanente voorraad vir nie-voorraaditems,
-Loan Security {0} added multiple times,Leningsekuriteit {0} is verskeie kere bygevoeg,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Leningsekuriteite met verskillende LTV-verhoudings kan nie teen een lening verpand word nie,
-Qty or Amount is mandatory for loan security!,Aantal of bedrag is verpligtend vir leningsekuriteit!,
-Only submittted unpledge requests can be approved,Slegs ingediende onversekeringsversoeke kan goedgekeur word,
-Interest Amount or Principal Amount is mandatory,Rentebedrag of hoofbedrag is verpligtend,
-Disbursed Amount cannot be greater than {0},Uitbetaalde bedrag mag nie groter as {0} wees nie,
-Row {0}: Loan Security {1} added multiple times,Ry {0}: Leningsekuriteit {1} is verskeie kere bygevoeg,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Ry # {0}: Kinditem mag nie &#39;n produkbundel wees nie. Verwyder asseblief item {1} en stoor,
 Credit limit reached for customer {0},Kredietlimiet vir kliënt {0} bereik,
 Could not auto create Customer due to the following missing mandatory field(s):,Kon nie kliënt outomaties skep nie weens die volgende ontbrekende verpligte veld (e):,
diff --git a/erpnext/translations/am.csv b/erpnext/translations/am.csv
index a57f0aa..a9db089 100644
--- a/erpnext/translations/am.csv
+++ b/erpnext/translations/am.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL",ኩባንያው ስፓ ፣ ኤስ.ኤስ.ኤ ወይም ኤስ.ኤ.አር. ከሆነ የሚመለከተው,
 Applicable if the company is a limited liability company,ኩባንያው ውስን የኃላፊነት ኩባንያ ከሆነ ተፈጻሚ ይሆናል ፡፡,
 Applicable if the company is an Individual or a Proprietorship,ኩባንያው የግለሰባዊ ወይም የግል ባለቤት ከሆነ የሚመለከተው።,
-Applicant,አመልካች,
-Applicant Type,የአመልካች ዓይነት,
 Application of Funds (Assets),ፈንድ (ንብረት) ውስጥ ማመልከቻ,
 Application period cannot be across two allocation records,የመመዝገቢያ ጊዜ በሁለት የምደባ መዛግብት ውስጥ ሊገኝ አይችልም,
 Application period cannot be outside leave allocation period,የማመልከቻው ወቅት ውጪ ፈቃድ አመዳደብ ጊዜ ሊሆን አይችልም,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,ሊገኙ የሚችሉ አክሲዮኖችን ዝርዝር በ folio ቁጥሮች,
 Loading Payment System,የክፍያ ስርዓት በመጫን ላይ,
 Loan,ብድር,
-Loan Amount cannot exceed Maximum Loan Amount of {0},የብድር መጠን ከፍተኛ የብድር መጠን መብለጥ አይችልም {0},
-Loan Application,የብድር ማመልከቻ,
-Loan Management,የብድር አስተዳደር,
-Loan Repayment,ብድር ብድር መክፈል,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,የብድር የመጀመሪያ ቀን እና የብድር ወቅት የክፍያ መጠየቂያ ቅነሳን ለማዳን ግዴታ ናቸው።,
 Loans (Liabilities),ብድር (ተጠያቂነቶች),
 Loans and Advances (Assets),ብድር እና እድገት (እሴቶች),
@@ -1611,7 +1605,6 @@
 Monday,ሰኞ,
 Monthly,ወርሃዊ,
 Monthly Distribution,ወርሃዊ ስርጭት,
-Monthly Repayment Amount cannot be greater than Loan Amount,ወርሃዊ የሚያየን መጠን ብድር መጠን በላይ ሊሆን አይችልም,
 More,ይበልጥ,
 More Information,ተጨማሪ መረጃ,
 More than one selection for {0} not allowed,ከአንድ በላይ ምርጫ ለ {0} አይፈቀድም።,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},ይክፈሉ {0} {1},
 Payable,ትርፍ የሚያስገኝ,
 Payable Account,የሚከፈለው መለያ,
-Payable Amount,የሚከፈል መጠን,
 Payment,ክፍያ,
 Payment Cancelled. Please check your GoCardless Account for more details,ክፍያ ተሰርዟል. ለተጨማሪ ዝርዝሮች እባክዎ የ GoCardless መለያዎን ይመልከቱ,
 Payment Confirmation,የክፍያ ማረጋገጫ,
-Payment Date,የክፍያ ቀን,
 Payment Days,የክፍያ ቀኖች,
 Payment Document,የክፍያ ሰነድ,
 Payment Due Date,ክፍያ መጠናቀቅ ያለበት ቀን,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,በመጀመሪያ የግዢ ደረሰኝ ያስገቡ,
 Please enter Receipt Document,ደረሰኝ ሰነድ ያስገቡ,
 Please enter Reference date,የማጣቀሻ ቀን ያስገቡ,
-Please enter Repayment Periods,የሚያየን ክፍለ ጊዜዎች ያስገቡ,
 Please enter Reqd by Date,እባክዎ በቀን Reqd ያስገባሉ,
 Please enter Woocommerce Server URL,እባክዎ የ Woocommerce አገልጋይ ዩ አር ኤል ያስገቡ,
 Please enter Write Off Account,መለያ ጠፍቷል ይጻፉ ያስገቡ,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,ወላጅ የወጪ ማዕከል ያስገቡ,
 Please enter quantity for Item {0},ንጥል ለ ብዛት ያስገቡ {0},
 Please enter relieving date.,ቀን ማስታገሻ ያስገቡ.,
-Please enter repayment Amount,ብድር መክፈል መጠን ያስገቡ,
 Please enter valid Financial Year Start and End Dates,ልክ የፋይናንስ ዓመት የመጀመሪያ እና መጨረሻ ቀኖች ያስገቡ,
 Please enter valid email address,ልክ የሆነ የኢሜይል አድራሻ ያስገቡ,
 Please enter {0} first,በመጀመሪያ {0} ያስገቡ,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,የዋጋ ደንቦች ተጨማሪ በብዛት ላይ ተመስርተው ይጣራሉ.,
 Primary Address Details,ዋና አድራሻዎች ዝርዝሮች,
 Primary Contact Details,ዋና እውቂያ ዝርዝሮች,
-Principal Amount,ዋና ዋና መጠን,
 Print Format,አትም ቅርጸት,
 Print IRS 1099 Forms,IRS 1099 ቅጾችን ያትሙ ፡፡,
 Print Report Card,የህትመት ሪፖርት ካርድ,
@@ -2550,7 +2538,6 @@
 Sample Collection,የናሙና ስብስብ,
 Sample quantity {0} cannot be more than received quantity {1},የናሙና መጠን {0} ከተላከ በላይ መሆን አይሆንም {1},
 Sanctioned,ማዕቀብ,
-Sanctioned Amount,ማዕቀብ መጠን,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ማዕቀብ መጠን ረድፍ ውስጥ የይገባኛል ጥያቄ መጠን መብለጥ አይችልም {0}.,
 Sand,አሸዋ,
 Saturday,ቅዳሜ,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} ቀድሞውኑ የወላጅ አሰራር ሂደት አለው {1}።,
 API,ኤ ፒ አይ,
 Annual,ዓመታዊ,
-Approved,ጸድቋል,
 Change,ለዉጥ,
 Contact Email,የዕውቂያ ኢሜይል,
 Export Type,ወደ ውጪ ላክ,
@@ -3571,7 +3557,6 @@
 Account Value,የመለያ ዋጋ,
 Account is mandatory to get payment entries,የክፍያ ግቤቶችን ለማግኘት መለያ ግዴታ ነው,
 Account is not set for the dashboard chart {0},መለያ ለዳሽቦርድ ገበታ {0} አልተዘጋጀም,
-Account {0} does not belong to company {1},መለያ {0} ኩባንያ የእርሱ ወገን አይደለም {1},
 Account {0} does not exists in the dashboard chart {1},መለያ {0} በዳሽቦርዱ ገበታ ላይ አይገኝም {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,መለያ <b>{0}</b> በሂደት ላይ ያለ የካፒታል ስራ ነው እናም በጆርናል ግቤት ሊዘመን አይችልም።,
 Account: {0} is not permitted under Payment Entry,መለያ {0} በክፍያ መግቢያ ስር አይፈቀድም።,
@@ -3582,7 +3567,6 @@
 Activity,ሥራ,
 Add / Manage Email Accounts.,የኢሜይል መለያዎችን ያቀናብሩ / ያክሉ.,
 Add Child,የልጅ አክል,
-Add Loan Security,የብድር ደህንነት ያክሉ,
 Add Multiple,በርካታ ያክሉ,
 Add Participants,ተሳታፊዎችን ያክሉ,
 Add to Featured Item,ወደ ተለይቶ የቀረበ ንጥል ያክሉ።,
@@ -3593,15 +3577,12 @@
 Address Line 1,አድራሻ መስመር 1,
 Addresses,አድራሻዎች,
 Admission End Date should be greater than Admission Start Date.,የመግቢያ ማለቂያ ቀን ከማስታወቂያ መጀመሪያ ቀን የበለጠ መሆን አለበት።,
-Against Loan,በብድር ላይ,
-Against Loan:,በብድር ላይ:,
 All,ሁሉም,
 All bank transactions have been created,ሁሉም የባንክ ግብይቶች ተፈጥረዋል።,
 All the depreciations has been booked,ሁሉም ዋጋዎች ቀጠሮ ተይዘዋል።,
 Allocation Expired!,ምደባው ጊዜው አብቅቷል!,
 Allow Resetting Service Level Agreement from Support Settings.,ከድጋፍ ቅንጅቶች እንደገና ማስጀመር የአገልግሎት ደረጃ ስምምነትን ይፍቀዱ።,
 Amount of {0} is required for Loan closure,የብድር መዘጋት የ {0} መጠን ያስፈልጋል,
-Amount paid cannot be zero,የተከፈለበት መጠን ዜሮ ሊሆን አይችልም,
 Applied Coupon Code,የተተገበረ የኩፖን ኮድ,
 Apply Coupon Code,የኩፖን ኮድ ይተግብሩ,
 Appointment Booking,የቀጠሮ ቦታ ማስያዝ,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,የአሽከርካሪው አድራሻ የጠፋ እንደመሆኑ የመድረሻ ሰዓቱን ማስላት አይቻልም።,
 Cannot Optimize Route as Driver Address is Missing.,የአሽከርካሪ አድራሻ የጎደለው ስለሆነ መንገድን ማመቻቸት አይቻልም ፡፡,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,ተግባሩን ማጠናቀቅ አልተቻለም {0} እንደ ጥገኛ ተግባሩ {1} አልተጠናቀቀም / ተሰር .ል።,
-Cannot create loan until application is approved,ትግበራ እስኪፀድቅ ድረስ ብድር መፍጠር አይቻልም,
 Cannot find a matching Item. Please select some other value for {0}.,አንድ ተዛማጅ ንጥል ማግኘት አልተቻለም. ለ {0} ሌላ ዋጋ ይምረጡ.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings",በንጥል {0} በተከታታይ {1} ከ {2} በላይ መብለጥ አይቻልም። ከመጠን በላይ ክፍያ መጠየቅን ለመፍቀድ እባክዎ በመለያዎች ቅንብሮች ውስጥ አበል ያዘጋጁ,
 "Capacity Planning Error, planned start time can not be same as end time",የአቅም ዕቅድ ስህተት ፣ የታቀደ የመጀመሪያ ጊዜ ልክ እንደ መጨረሻ ጊዜ ተመሳሳይ ሊሆን አይችልም,
@@ -3812,20 +3792,9 @@
 Less Than Amount,ከዕድሜ በታች,
 Liabilities,ግዴታዎች,
 Loading...,በመጫን ላይ ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,የብድር መጠን ከታቀዱት ዋስትናዎች አንጻር ከሚፈቀደው ከፍተኛ የብድር መጠን ከ {0} ይበልጣል,
 Loan Applications from customers and employees.,የብድር ማመልከቻዎች ከደንበኞች እና ከሠራተኞች ፡፡,
-Loan Disbursement,የብድር ክፍያ,
 Loan Processes,የብድር ሂደቶች,
-Loan Security,የብድር ደህንነት,
-Loan Security Pledge,የብድር ዋስትና ቃል,
-Loan Security Pledge Created : {0},የብድር ዋስትና ቃል ተፈጥረዋል: {0},
-Loan Security Price,የብድር ደህንነት ዋጋ,
-Loan Security Price overlapping with {0},የብድር ደህንነት ዋጋ ከ {0} ጋር መደራረብ,
-Loan Security Unpledge,የብድር ደህንነት ማራገፊያ,
-Loan Security Value,የብድር ደህንነት እሴት,
 Loan Type for interest and penalty rates,የብድር አይነት ለወለድ እና ለቅጣት ተመኖች,
-Loan amount cannot be greater than {0},የብድር መጠን ከ {0} መብለጥ አይችልም,
-Loan is mandatory,ብድር ግዴታ ነው,
 Loans,ብድሮች,
 Loans provided to customers and employees.,ለደንበኞች እና ለሠራተኞች የሚሰጡ ብድሮች ፡፡,
 Location,አካባቢ,
@@ -3894,7 +3863,6 @@
 Pay,ይክፈሉ,
 Payment Document Type,የክፍያ ሰነድ ዓይነት።,
 Payment Name,የክፍያ ስም,
-Penalty Amount,የቅጣት መጠን,
 Pending,በመጠባበቅ ላይ,
 Performance,አፈፃፀም ፡፡,
 Period based On,በ ላይ የተመሠረተ ጊዜ።,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,ይህንን ንጥል ለማርትዕ እባክዎ እንደ የገቢያ ቦታ ተጠቃሚ ይግቡ ፡፡,
 Please login as a Marketplace User to report this item.,ይህንን ንጥል ሪፖርት ለማድረግ እባክዎ እንደ የገቢያ ቦታ ተጠቃሚ ይግቡ ፡፡,
 Please select <b>Template Type</b> to download template,አብነት ለማውረድ እባክዎ <b>የአብነት አይነት</b> ይምረጡ,
-Please select Applicant Type first,እባክዎ መጀመሪያ የአመልካች ዓይነት ይምረጡ,
 Please select Customer first,እባክዎ መጀመሪያ ደንበኛውን ይምረጡ።,
 Please select Item Code first,እባክዎን የእቃ ኮዱን በመጀመሪያ ይምረጡ,
-Please select Loan Type for company {0},እባክዎን ለድርጅት የብድር አይነት ይምረጡ {0},
 Please select a Delivery Note,እባክዎን የማስረከቢያ ማስታወሻ ይምረጡ ፡፡,
 Please select a Sales Person for item: {0},እባክዎ ለንጥል የሽያጭ ሰው ይምረጡ {{}},
 Please select another payment method. Stripe does not support transactions in currency '{0}',ሌላ የክፍያ ስልት ይምረጡ. ግርፋት «{0}» ምንዛሬ ግብይቶችን አይደግፍም,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},እባክዎ ለኩባንያ ነባሪ የባንክ ሂሳብ ያቀናብሩ {0},
 Please specify,እባክዎን ይግለጹ,
 Please specify a {0},ይጥቀሱ እባክዎ {0},lead
-Pledge Status,የዋስትና ሁኔታ,
-Pledge Time,የዋስትና ጊዜ,
 Printing,ማተም,
 Priority,ቅድሚያ,
 Priority has been changed to {0}.,ቅድሚያ የተሰጠው ወደ {0} ተለው hasል።,
@@ -3944,7 +3908,6 @@
 Processing XML Files,XML ፋይሎችን በመስራት ላይ,
 Profitability,ትርፋማነት።,
 Project,ፕሮጀክት,
-Proposed Pledges are mandatory for secured Loans,የታቀደው ቃል ኪዳኖች አስተማማኝ ዋስትና ላላቸው ብድሮች አስገዳጅ ናቸው,
 Provide the academic year and set the starting and ending date.,የትምህርት ዓመቱን ያቅርቡ እና የመጀመሪያ እና የመጨረሻ ቀን ያዘጋጁ።,
 Public token is missing for this bank,ለዚህ ባንክ ይፋዊ ምልክት የለም,
 Publish,አትም,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,የግ Rece ደረሰኝ Retain Sample የሚነቃበት ምንም ንጥል የለውም።,
 Purchase Return,የግዢ ተመለስ,
 Qty of Finished Goods Item,የተጠናቀቁ ዕቃዎች ንጥል ነገር።,
-Qty or Amount is mandatroy for loan security,ጫን ወይም መጠን ለድርድር ብድር ዋስትና ግዴታ ነው,
 Quality Inspection required for Item {0} to submit,ለማቅረብ ንጥል (0 0) የጥራት ምርመራ ያስፈልጋል {0} ፡፡,
 Quantity to Manufacture,ብዛት ወደ አምራች,
 Quantity to Manufacture can not be zero for the operation {0},ለምርት ለማምረት ብዛቱ ዜሮ መሆን አይችልም {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,የመልሶ ማግኛ ቀን ከተቀላቀለበት ቀን የሚበልጥ ወይም እኩል መሆን አለበት,
 Rename,ዳግም ሰይም,
 Rename Not Allowed,ዳግም መሰየም አልተፈቀደም።,
-Repayment Method is mandatory for term loans,የመክፈያ ዘዴ ለጊዜ ብድሮች አስገዳጅ ነው,
-Repayment Start Date is mandatory for term loans,የመክፈያ መጀመሪያ ቀን ለአበዳሪ ብድሮች አስገዳጅ ነው,
 Report Item,ንጥል ሪፖርት ያድርጉ ፡፡,
 Report this Item,ይህንን ንጥል ሪፖርት ያድርጉ,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,የተያዙ ዕቃዎች ለንዑስ-ኮንትራክተር-የተዋረዱ እቃዎችን ለመስራት ጥሬ ዕቃዎች ብዛት።,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},ረድፍ ({0}): {1} በ {2} ውስጥ ቀድሞውኑ ቅናሽ ተደርጓል,
 Rows Added in {0},ረድፎች በ {0} ውስጥ ታክለዋል,
 Rows Removed in {0},በ {0} ረድፎች ተወግደዋል,
-Sanctioned Amount limit crossed for {0} {1},ለ {0} {1} የታገደ የገንዘብ መጠን ተገድቧል,
-Sanctioned Loan Amount already exists for {0} against company {1},የተጣራ የብድር መጠን ቀድሞውኑ ከድርጅት {1} ጋር {0},
 Save,አስቀምጥ,
 Save Item,ንጥል አስቀምጥ።,
 Saved Items,የተቀመጡ ዕቃዎች,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,አባል {0} ተሰናክሏል,
 Users and Permissions,ተጠቃሚዎች እና ፈቃዶች,
 Vacancies cannot be lower than the current openings,ክፍት ቦታዎች ከአሁኑ ክፍት ቦታዎች በታች መሆን አይችሉም ፡፡,
-Valid From Time must be lesser than Valid Upto Time.,ከጊዜ ጊዜ ልክ የሆነ ከሚተገበር የቶቶ ሰዓት ያነሰ መሆን አለበት።,
 Valuation Rate required for Item {0} at row {1},በእቃው {0} ረድፍ {1} ላይ የዋጋ ዋጋ ይፈለጋል,
 Values Out Of Sync,ዋጋዎች ከማመሳሰል ውጭ,
 Vehicle Type is required if Mode of Transport is Road,የመጓጓዣ ሁኔታ መንገድ ከሆነ የተሽከርካሪ ዓይነት ያስፈልጋል።,
@@ -4211,7 +4168,6 @@
 Add to Cart,ወደ ግዢው ቅርጫት ጨምር,
 Days Since Last Order,ከመጨረሻው ትእዛዝ ጀምሮ ቀናት,
 In Stock,ለሽያጭ የቀረበ እቃ,
-Loan Amount is mandatory,የብድር መጠን አስገዳጅ ነው,
 Mode Of Payment,የክፍያ ዘዴ,
 No students Found,ምንም ተማሪዎች አልተገኙም,
 Not in Stock,አይደለም የክምችት ውስጥ,
@@ -4240,7 +4196,6 @@
 Group by,ቡድን በ,
 In stock,ለሽያጭ የቀረበ እቃ,
 Item name,ንጥል ስም,
-Loan amount is mandatory,የብድር መጠን አስገዳጅ ነው,
 Minimum Qty,አነስተኛ ሂሳብ,
 More details,ተጨማሪ ዝርዝሮች,
 Nature of Supplies,የችግሮች አይነት,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,ጠቅላላ ተጠናቋል,
 Qty to Manufacture,ለማምረት ብዛት,
 Repay From Salary can be selected only for term loans,ከደመወዝ ክፍያ መመለስ ለጊዜ ብድሮች ብቻ ሊመረጥ ይችላል,
-No valid Loan Security Price found for {0},ለ {0} የሚሰራ የብድር ዋስትና ዋጋ አልተገኘም,
-Loan Account and Payment Account cannot be same,የብድር ሂሳብ እና የክፍያ ሂሳብ አንድ ሊሆኑ አይችሉም,
-Loan Security Pledge can only be created for secured loans,የብድር ዋስትና ቃል ኪዳን ሊፈጠር የሚችለው ዋስትና ላላቸው ብድሮች ብቻ ነው,
 Social Media Campaigns,የማኅበራዊ ሚዲያ ዘመቻዎች,
 From Date can not be greater than To Date,ከቀን ከዛሬ የበለጠ ሊሆን አይችልም,
 Please set a Customer linked to the Patient,እባክዎ ከሕመምተኛው ጋር የተገናኘ ደንበኛ ያዘጋጁ,
@@ -6437,7 +6389,6 @@
 HR User,የሰው ሀይል ተጠቃሚ,
 Appointment Letter,የቀጠሮ ደብዳቤ,
 Job Applicant,ሥራ አመልካች,
-Applicant Name,የአመልካች ስም,
 Appointment Date,የቀጠሮ ቀን,
 Appointment Letter Template,የቀጠሮ ደብዳቤ አብነት,
 Body,አካል,
@@ -7059,99 +7010,12 @@
 Sync in Progress,ማመሳሰል በሂደት ላይ,
 Hub Seller Name,የሆብ ሻጭ ስም,
 Custom Data,ብጁ ውሂብ,
-Member,አባል,
-Partially Disbursed,በከፊል በመገኘቱ,
-Loan Closure Requested,የብድር መዝጊያ ተጠይቋል,
 Repay From Salary,ደመወዝ ከ ልከፍለው,
-Loan Details,ብድር ዝርዝሮች,
-Loan Type,የብድር አይነት,
-Loan Amount,የብድር መጠን,
-Is Secured Loan,ደህንነቱ የተጠበቀ ብድር ነው,
-Rate of Interest (%) / Year,በፍላጎት ላይ (%) / የዓመቱ ይስጡት,
-Disbursement Date,ከተዛወሩ ቀን,
-Disbursed Amount,የተከፋፈለ መጠን,
-Is Term Loan,የጊዜ ብድር ነው,
-Repayment Method,ብድር መክፈል ስልት,
-Repay Fixed Amount per Period,ክፍለ ጊዜ በአንድ ቋሚ መጠን ብድራትን,
-Repay Over Number of Periods,ጊዜዎች በላይ ቁጥር ብድራትን,
-Repayment Period in Months,ወራት ውስጥ ብድር መክፈል ክፍለ ጊዜ,
-Monthly Repayment Amount,ወርሃዊ የሚያየን መጠን,
-Repayment Start Date,የክፍያ ቀን ጅምር,
-Loan Security Details,የብድር ደህንነት ዝርዝሮች,
-Maximum Loan Value,ከፍተኛ የብድር ዋጋ,
-Account Info,የመለያ መረጃ,
-Loan Account,የብድር መለያን,
-Interest Income Account,የወለድ ገቢ መለያ,
-Penalty Income Account,የቅጣት ገቢ ሂሳብ,
-Repayment Schedule,ብድር መክፈል ፕሮግራም,
-Total Payable Amount,ጠቅላላ የሚከፈል መጠን,
-Total Principal Paid,ጠቅላላ ዋና ክፍያ ተከፍሏል,
-Total Interest Payable,ተከፋይ ጠቅላላ የወለድ,
-Total Amount Paid,ጠቅላላ መጠን የተከፈለ,
-Loan Manager,የብድር አስተዳዳሪ,
-Loan Info,ብድር መረጃ,
-Rate of Interest,የወለድ ተመን,
-Proposed Pledges,የታቀደ ቃል,
-Maximum Loan Amount,ከፍተኛ የብድር መጠን,
-Repayment Info,ብድር መክፈል መረጃ,
-Total Payable Interest,ጠቅላላ የሚከፈል የወለድ,
-Against Loan ,በብድር ላይ,
-Loan Interest Accrual,የብድር ወለድ ክፍያ,
-Amounts,መጠን,
-Pending Principal Amount,በመጠባበቅ ላይ ያለ ዋና ገንዘብ መጠን,
-Payable Principal Amount,የሚከፈል ፕሪሚየም ገንዘብ መጠን,
-Paid Principal Amount,የተከፈለበት የዋና ገንዘብ መጠን,
-Paid Interest Amount,የተከፈለ የወለድ መጠን,
-Process Loan Interest Accrual,የሂሳብ ብድር የወለድ ሂሳብ,
-Repayment Schedule Name,የክፍያ መርሃ ግብር ስም,
 Regular Payment,መደበኛ ክፍያ,
 Loan Closure,የብድር መዘጋት,
-Payment Details,የክፍያ ዝርዝሮች,
-Interest Payable,የወለድ ክፍያ,
-Amount Paid,መጠን የሚከፈልበት,
-Principal Amount Paid,የዋና ገንዘብ ክፍያ ተከፍሏል,
-Repayment Details,የክፍያ ዝርዝሮች,
-Loan Repayment Detail,የብድር ክፍያ ዝርዝር,
-Loan Security Name,የብድር ደህንነት ስም,
-Unit Of Measure,የመለኪያ አሃድ,
-Loan Security Code,የብድር ደህንነት ኮድ,
-Loan Security Type,የብድር ደህንነት አይነት,
-Haircut %,የፀጉር ቀለም%,
-Loan  Details,የብድር ዝርዝሮች,
-Unpledged,ያልደፈረ,
-Pledged,ተጭኗል,
-Partially Pledged,በከፊል ተጭኗል,
-Securities,ደህንነቶች,
-Total Security Value,አጠቃላይ የደህንነት እሴት,
-Loan Security Shortfall,የብድር ደህንነት እጥረት,
-Loan ,ብድር,
-Shortfall Time,የአጭር ጊዜ ጊዜ,
-America/New_York,አሜሪካ / New_York,
-Shortfall Amount,የአጭር ጊዜ ብዛት,
-Security Value ,የደህንነት እሴት,
-Process Loan Security Shortfall,የሂሳብ ብድር ደህንነት እጥረት,
-Loan To Value Ratio,ብድር ዋጋን ለመለየት ብድር,
-Unpledge Time,ማራገፊያ ጊዜ,
-Loan Name,ብድር ስም,
 Rate of Interest (%) Yearly,የወለድ ምጣኔ (%) ዓመታዊ,
-Penalty Interest Rate (%) Per Day,የቅጣት የወለድ መጠን (%) በቀን,
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,የክፍያ ጊዜ መዘግየት ቢዘገይ የቅጣቱ የወለድ መጠን በየቀኑ በሚጠባበቅ ወለድ ወለድ ላይ ይቀጣል,
-Grace Period in Days,በቀናት ውስጥ የችሮታ ጊዜ,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,የብድር ክፍያ መዘግየት ቢከሰት ከሚከፈለው ቀን ጀምሮ እስከየትኛው ቅጣት አይከሰስም,
-Pledge,ቃል ገባ,
-Post Haircut Amount,የፀጉር ቀለም መጠንን ይለጥፉ,
-Process Type,የሂደት ዓይነት,
-Update Time,የጊዜ አዘምን,
-Proposed Pledge,የታቀደው ቃል ኪዳኖች,
-Total Payment,ጠቅላላ ክፍያ,
-Balance Loan Amount,ቀሪ የብድር መጠን,
-Is Accrued,ተሰብስቧል,
 Salary Slip Loan,የደመወዝ ወረቀት ብድር,
 Loan Repayment Entry,የብድር ክፍያ ምዝገባ,
-Sanctioned Loan Amount,የተጣራ የብድር መጠን,
-Sanctioned Amount Limit,የተቀነሰ የገንዘብ መጠን,
-Unpledge,ማራገፊያ,
-Haircut,የፀጉር ቀለም,
 MAT-MSH-.YYYY.-,MAT-MSH-yYYY.-,
 Generate Schedule,መርሐግብር አመንጭ,
 Schedules,መርሐግብሮች,
@@ -7885,7 +7749,6 @@
 Update Series,አዘምን ተከታታይ,
 Change the starting / current sequence number of an existing series.,አንድ ነባር ተከታታይ ጀምሮ / የአሁኑ ቅደም ተከተል ቁጥር ለውጥ.,
 Prefix,ባዕድ መነሻ,
-Current Value,የአሁኑ ዋጋ,
 This is the number of the last created transaction with this prefix,ይህ የዚህ ቅጥያ ጋር የመጨረሻ የፈጠረው የግብይት ቁጥር ነው,
 Update Series Number,አዘምን ተከታታይ ቁጥር,
 Quotation Lost Reason,ጥቅስ የጠፋ ምክንያት,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise አስይዝ ደረጃ የሚመከር,
 Lead Details,ቀዳሚ ዝርዝሮች,
 Lead Owner Efficiency,ቀዳሚ ባለቤት ቅልጥፍና,
-Loan Repayment and Closure,የብድር ክፍያ እና መዝጊያ,
-Loan Security Status,የብድር ደህንነት ሁኔታ,
 Lost Opportunity,የጠፋ ዕድል ፡፡,
 Maintenance Schedules,ጥገና ፕሮግራም,
 Material Requests for which Supplier Quotations are not created,አቅራቢው ጥቅሶች የተፈጠሩ አይደሉም ይህም ቁሳዊ ጥያቄዎች,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},የታለሙ ቆጠራዎች {0},
 Payment Account is mandatory,የክፍያ ሂሳብ ግዴታ ነው,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.",ከተመረመረ ሙሉው መጠን ያለማወቂያ ወይም ማረጋገጫ ማቅረቢያ የገቢ ግብርን ከማስላት በፊት ከታክስ ከሚከፈልበት ገቢ ላይ ይቀነሳል ፡፡,
-Disbursement Details,የሥርጭት ዝርዝሮች,
 Material Request Warehouse,የቁሳቁስ ጥያቄ መጋዘን,
 Select warehouse for material requests,ለቁሳዊ ጥያቄዎች መጋዘን ይምረጡ,
 Transfer Materials For Warehouse {0},ቁሳቁሶችን ለመጋዘን ያስተላልፉ {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,ከደመወዝ ያልተጠየቀውን መጠን ይክፈሉ,
 Deduction from salary,ከደመወዝ መቀነስ,
 Expired Leaves,ጊዜው ያለፈባቸው ቅጠሎች,
-Reference No,ማጣቀሻ ቁጥር,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,የፀጉር አቆራረጥ መቶኛ በብድር ዋስትና (የገቢያ ዋጋ) ዋጋ እና ለዚያ ብድር ዋስትና በሚውልበት ጊዜ ለዚያ ብድር ዋስትና በሚሰጠው እሴት መካከል ያለው የመቶኛ ልዩነት ነው።,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,የብድር መጠን ዋጋ የብድር መጠን ቃል ከተገባው ዋስትና ዋጋ ጋር ያለውን ድርሻ ያሳያል። ለማንኛውም ብድር ከተጠቀሰው እሴት በታች ቢወድቅ የብድር ዋስትና ጉድለት ይነሳል,
 If this is not checked the loan by default will be considered as a Demand Loan,ይህ ካልተረጋገጠ ብድሩ በነባሪነት እንደ ብድር ይቆጠራል,
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,ይህ ሂሳብ ከተበዳሪው የብድር ክፍያዎችን ለማስያዝ እና እንዲሁም ለተበዳሪው ብድሮችን ለማሰራጨት ያገለግላል,
 This account is capital account which is used to allocate capital for loan disbursal account ,ይህ አካውንት ለብድር ማስከፈያ ሂሳብ ካፒታል ለመመደብ የሚያገለግል የካፒታል ሂሳብ ነው,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},ክዋኔ {0} የሥራ ትዕዛዝ አይደለም {1},
 Print UOM after Quantity,ከቁጥር በኋላ UOM ን ያትሙ,
 Set default {0} account for perpetual inventory for non stock items,ለክምችት ያልሆኑ ዕቃዎች ለዘለዓለም ክምችት ነባሪ የ {0} መለያ ያዘጋጁ,
-Loan Security {0} added multiple times,የብድር ደህንነት {0} ብዙ ጊዜ ታክሏል,
-Loan Securities with different LTV ratio cannot be pledged against one loan,የተለያዩ የኤልቲቪ ሬሾ ያላቸው የብድር ዋስትናዎች በአንድ ብድር ላይ ቃል ሊገቡ አይችሉም,
-Qty or Amount is mandatory for loan security!,ለብድር ዋስትና ኪቲ ወይም መጠን ግዴታ ነው!,
-Only submittted unpledge requests can be approved,የገቡት ያልተሞከሩ ጥያቄዎች ብቻ ሊፀድቁ ይችላሉ,
-Interest Amount or Principal Amount is mandatory,የወለድ መጠን ወይም የዋናው መጠን ግዴታ ነው,
-Disbursed Amount cannot be greater than {0},የተከፋፈለ መጠን ከ {0} ሊበልጥ አይችልም,
-Row {0}: Loan Security {1} added multiple times,ረድፍ {0} የብድር ደህንነት {1} ብዙ ጊዜ ታክሏል,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,ረድፍ # {0} የልጆች እቃ የምርት ቅርቅብ መሆን የለበትም። እባክዎ ንጥል {1} ን ያስወግዱ እና ያስቀምጡ,
 Credit limit reached for customer {0},ለደንበኛ የብድር ገደብ ደርሷል {0},
 Could not auto create Customer due to the following missing mandatory field(s):,በሚቀጥሉት አስገዳጅ መስክ (ዶች) ምክንያት ደንበኛን በራስ ሰር መፍጠር አልተቻለም-,
diff --git a/erpnext/translations/ar.csv b/erpnext/translations/ar.csv
index 3cbaba9..1020351 100644
--- a/erpnext/translations/ar.csv
+++ b/erpnext/translations/ar.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL",قابل للتطبيق إذا كانت الشركة SpA أو SApA أو SRL,
 Applicable if the company is a limited liability company,قابل للتطبيق إذا كانت الشركة شركة ذات مسؤولية محدودة,
 Applicable if the company is an Individual or a Proprietorship,قابل للتطبيق إذا كانت الشركة فردية أو مملوكة,
-Applicant,مقدم الطلب,
-Applicant Type,نوع مقدم الطلب,
 Application of Funds (Assets),استخدام الاموال (الأصول),
 Application period cannot be across two allocation records,فترة الطلب لا يمكن ان تكون خلال سجلين مخصصين,
 Application period cannot be outside leave allocation period,فترة الاجازة لا يمكن أن تكون خارج فترة الاجازة المسموحة للموظف.\n<br>\nApplication period cannot be outside leave allocation period,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,قائمة المساهمين المتاحين بأرقام الأوراق,
 Loading Payment System,تحميل نظام الدفع,
 Loan,قرض,
-Loan Amount cannot exceed Maximum Loan Amount of {0},مبلغ القرض لا يمكن أن يتجاوز الحد الأقصى للقرض {0}\n<br>\nLoan Amount cannot exceed Maximum Loan Amount of {0},
-Loan Application,طلب القرض,
-Loan Management,إدارة القروض,
-Loan Repayment,سداد القروض,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,تاريخ بدء القرض وفترة القرض إلزامية لحفظ خصم الفاتورة,
 Loans (Liabilities),القروض (الخصوم),
 Loans and Advances (Assets),القروض والسلفيات (الأصول),
@@ -1611,7 +1605,6 @@
 Monday,يوم الاثنين,
 Monthly,شهريا,
 Monthly Distribution,التوزيع الشهري,
-Monthly Repayment Amount cannot be greater than Loan Amount,قيمة السداد الشهري لا يمكن أن يكون أكبر من قيمة القرض,
 More,أكثر,
 More Information,المزيد من المعلومات,
 More than one selection for {0} not allowed,أكثر من اختيار واحد لـ {0} غير مسموح به,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},ادفع {0} {1},
 Payable,واجب الدفع,
 Payable Account,حساب الدائنين,
-Payable Amount,المبلغ المستحق,
 Payment,دفع,
 Payment Cancelled. Please check your GoCardless Account for more details,دفع ملغى. يرجى التحقق من حسابك في GoCardless لمزيد من التفاصيل,
 Payment Confirmation,تأكيد الدفعة,
-Payment Date,تاريخ الدفعة,
 Payment Days,أيام الدفع,
 Payment Document,وثيقة الدفع,
 Payment Due Date,تاريخ استحقاق السداد,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,الرجاء إدخال إيصال الشراء أولا\n<br>\nPlease enter Purchase Receipt first,
 Please enter Receipt Document,الرجاء إدخال مستند الاستلام\n<br>\nPlease enter Receipt Document,
 Please enter Reference date,الرجاء إدخال تاريخ المرجع\n<br>\nPlease enter Reference date,
-Please enter Repayment Periods,الرجاء إدخال فترات السداد,
 Please enter Reqd by Date,الرجاء إدخال ريد حسب التاريخ,
 Please enter Woocommerce Server URL,الرجاء إدخال عنوان URL لخادم Woocommerce,
 Please enter Write Off Account,الرجاء إدخال حساب الشطب,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,الرجاء إدخال مركز تكلفة الأب,
 Please enter quantity for Item {0},الرجاء إدخال الكمية للعنصر {0},
 Please enter relieving date.,من فضلك ادخل تاريخ ترك العمل.,
-Please enter repayment Amount,الرجاء إدخال مبلغ السداد\n<br>\nPlease enter repayment Amount,
 Please enter valid Financial Year Start and End Dates,الرجاء إدخال تاريخ بداية السنة المالية وتاريخ النهاية,
 Please enter valid email address,الرجاء إدخال عنوان بريد إلكتروني صالح,
 Please enter {0} first,الرجاء إدخال {0} أولاً,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,كما تتم فلترت قواعد التسعير على أساس الكمية.,
 Primary Address Details,تفاصيل العنوان الرئيسي,
 Primary Contact Details,تفاصيل الاتصال الأساسية,
-Principal Amount,المبلغ الرئيسي,
 Print Format,تنسيق الطباعة,
 Print IRS 1099 Forms,طباعة نماذج مصلحة الضرائب 1099,
 Print Report Card,طباعة بطاقة التقرير,
@@ -2550,7 +2538,6 @@
 Sample Collection,جمع العينات,
 Sample quantity {0} cannot be more than received quantity {1},كمية العينة {0} لا يمكن أن تكون أكثر من الكمية المستلمة {1},
 Sanctioned,مقرر,
-Sanctioned Amount,القيمة المقرر صرفه,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,لا يمكن أن يكون المبلغ الموافق عليه أكبر من مبلغ المطالبة في الصف {0}.,
 Sand,رمل,
 Saturday,السبت,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} يحتوي بالفعل على إجراء الأصل {1}.,
 API,API,
 Annual,سنوي,
-Approved,موافق عليه,
 Change,تغيير,
 Contact Email,عنوان البريد الإلكتروني,
 Export Type,نوع التصدير,
@@ -3571,7 +3557,6 @@
 Account Value,قيمة الحساب,
 Account is mandatory to get payment entries,الحساب إلزامي للحصول على إدخالات الدفع,
 Account is not set for the dashboard chart {0},لم يتم تعيين الحساب لمخطط لوحة المعلومات {0},
-Account {0} does not belong to company {1},الحساب {0} لا ينتمي إلى شركة {1},
 Account {0} does not exists in the dashboard chart {1},الحساب {0} غير موجود في مخطط لوحة المعلومات {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,الحساب: <b>{0}</b> عبارة &quot;Capital work&quot; قيد التقدم ولا يمكن تحديثها بواسطة &quot;إدخال دفتر اليومية&quot;,
 Account: {0} is not permitted under Payment Entry,الحساب: {0} غير مسموح به بموجب إدخال الدفع,
@@ -3582,7 +3567,6 @@
 Activity,نشاط,
 Add / Manage Email Accounts.,إضافة / إدارة حسابات البريد الإلكتروني.,
 Add Child,إضافة الطفل,
-Add Loan Security,إضافة قرض الضمان,
 Add Multiple,إضافة متعددة,
 Add Participants,أضف مشاركين,
 Add to Featured Item,إضافة إلى البند المميز,
@@ -3593,15 +3577,12 @@
 Address Line 1,العنوان سطر 1,
 Addresses,عناوين,
 Admission End Date should be greater than Admission Start Date.,يجب أن يكون تاريخ انتهاء القبول أكبر من تاريخ بدء القبول.,
-Against Loan,ضد القرض,
-Against Loan:,ضد القرض:,
 All,الكل,
 All bank transactions have been created,تم إنشاء جميع المعاملات المصرفية,
 All the depreciations has been booked,تم حجز جميع الإهلاكات,
 Allocation Expired!,تخصيص انتهت!,
 Allow Resetting Service Level Agreement from Support Settings.,السماح بإعادة ضبط اتفاقية مستوى الخدمة من إعدادات الدعم.,
 Amount of {0} is required for Loan closure,المبلغ {0} مطلوب لإغلاق القرض,
-Amount paid cannot be zero,لا يمكن أن يكون المبلغ المدفوع صفرًا,
 Applied Coupon Code,رمز القسيمة المطبق,
 Apply Coupon Code,تطبيق رمز القسيمة,
 Appointment Booking,حجز موعد,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,لا يمكن حساب وقت الوصول حيث أن عنوان برنامج التشغيل مفقود.,
 Cannot Optimize Route as Driver Address is Missing.,لا يمكن تحسين المسار لأن عنوان برنامج التشغيل مفقود.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,لا يمكن إكمال المهمة {0} لأن المهمة التابعة {1} ليست مكتملة / ملغاة.,
-Cannot create loan until application is approved,لا يمكن إنشاء قرض حتى تتم الموافقة على الطلب,
 Cannot find a matching Item. Please select some other value for {0}.,لا يمكن العثور على بند مطابق. يرجى اختيار قيمة أخرى ل {0}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings",لا يمكن زيادة حجم العنصر {0} في الصف {1} أكثر من {2}. للسماح بالإفراط في الفوترة ، يرجى تعيين بدل في إعدادات الحسابات,
 "Capacity Planning Error, planned start time can not be same as end time",خطأ في تخطيط السعة ، لا يمكن أن يكون وقت البدء المخطط له هو نفسه وقت الانتهاء,
@@ -3812,20 +3792,9 @@
 Less Than Amount,أقل من المبلغ,
 Liabilities,المطلوبات,
 Loading...,تحميل ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,يتجاوز مبلغ القرض الحد الأقصى لمبلغ القرض {0} وفقًا للأوراق المالية المقترحة,
 Loan Applications from customers and employees.,طلبات القروض من العملاء والموظفين.,
-Loan Disbursement,إنفاق تمويل,
 Loan Processes,عمليات القرض,
-Loan Security,ضمان القرض,
-Loan Security Pledge,تعهد ضمان القرض,
-Loan Security Pledge Created : {0},تعهد ضمان القرض: {0},
-Loan Security Price,سعر ضمان القرض,
-Loan Security Price overlapping with {0},سعر ضمان القرض متداخل مع {0},
-Loan Security Unpledge,قرض ضمان unpledge,
-Loan Security Value,قيمة ضمان القرض,
 Loan Type for interest and penalty rates,نوع القرض لأسعار الفائدة والعقوبة,
-Loan amount cannot be greater than {0},لا يمكن أن يكون مبلغ القرض أكبر من {0},
-Loan is mandatory,القرض إلزامي,
 Loans,القروض,
 Loans provided to customers and employees.,القروض المقدمة للعملاء والموظفين.,
 Location,الموقع,
@@ -3894,7 +3863,6 @@
 Pay,دفع,
 Payment Document Type,نوع مستند الدفع,
 Payment Name,اسم الدفع,
-Penalty Amount,مبلغ العقوبة,
 Pending,معلق,
 Performance,أداء,
 Period based On,فترة بناء على,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,الرجاء تسجيل الدخول كمستخدم Marketplace لتعديل هذا العنصر.,
 Please login as a Marketplace User to report this item.,يرجى تسجيل الدخول كمستخدم Marketplace للإبلاغ عن هذا العنصر.,
 Please select <b>Template Type</b> to download template,يرجى تحديد <b>نوع</b> القالب لتنزيل القالب,
-Please select Applicant Type first,يرجى اختيار نوع مقدم الطلب أولاً,
 Please select Customer first,يرجى اختيار العميل أولا,
 Please select Item Code first,يرجى اختيار رمز البند أولاً,
-Please select Loan Type for company {0},يرجى اختيار نوع القرض للشركة {0},
 Please select a Delivery Note,يرجى اختيار مذكرة التسليم,
 Please select a Sales Person for item: {0},يرجى اختيار مندوب مبيعات للعنصر: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',يرجى تحديد طريقة دفع أخرى. Stripe لا يدعم المعاملات بالعملة '{0}',
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},يرجى إعداد حساب بنكي افتراضي للشركة {0},
 Please specify,رجاء حدد,
 Please specify a {0},الرجاء تحديد {0},lead
-Pledge Status,حالة التعهد,
-Pledge Time,وقت التعهد,
 Printing,طبع,
 Priority,أفضلية,
 Priority has been changed to {0}.,تم تغيير الأولوية إلى {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,معالجة ملفات XML,
 Profitability,الربحية,
 Project,مشروع,
-Proposed Pledges are mandatory for secured Loans,التعهدات المقترحة إلزامية للقروض المضمونة,
 Provide the academic year and set the starting and ending date.,تقديم السنة الدراسية وتحديد تاريخ البداية والنهاية.,
 Public token is missing for this bank,الرمز العام مفقود لهذا البنك,
 Publish,نشر,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,لا يحتوي إيصال الشراء على أي عنصر تم تمكين الاحتفاظ عينة به.,
 Purchase Return,شراء العودة,
 Qty of Finished Goods Item,الكمية من السلع تامة الصنع,
-Qty or Amount is mandatroy for loan security,الكمية أو المبلغ هو mandatroy لضمان القرض,
 Quality Inspection required for Item {0} to submit,فحص الجودة مطلوب للبند {0} لتقديمه,
 Quantity to Manufacture,كمية لتصنيع,
 Quantity to Manufacture can not be zero for the operation {0},لا يمكن أن تكون الكمية للتصنيع صفراً للتشغيل {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,يجب أن يكون تاريخ التخفيف أكبر من أو يساوي تاريخ الانضمام,
 Rename,إعادة تسمية,
 Rename Not Allowed,إعادة تسمية غير مسموح به,
-Repayment Method is mandatory for term loans,طريقة السداد إلزامية للقروض لأجل,
-Repayment Start Date is mandatory for term loans,تاريخ بدء السداد إلزامي للقروض لأجل,
 Report Item,بلغ عن شيء,
 Report this Item,الإبلاغ عن هذا البند,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,الكمية المحجوزة للعقد من الباطن: كمية المواد الخام اللازمة لصنع سلع من الباطن.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},الصف ({0}): {1} مخصوم بالفعل في {2},
 Rows Added in {0},تمت إضافة الصفوف في {0},
 Rows Removed in {0},تمت إزالة الصفوف في {0},
-Sanctioned Amount limit crossed for {0} {1},تم تجاوز حد المبلغ المعتمد لـ {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},مبلغ القرض المعتمد موجود بالفعل لـ {0} ضد الشركة {1},
 Save,حفظ,
 Save Item,حفظ البند,
 Saved Items,العناصر المحفوظة,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,المستخدم {0} تم تعطيل,
 Users and Permissions,المستخدمين والصلاحيات,
 Vacancies cannot be lower than the current openings,لا يمكن أن تكون الوظائف الشاغرة أقل من الفتحات الحالية,
-Valid From Time must be lesser than Valid Upto Time.,يجب أن يكون &quot;صالح من الوقت&quot; أقل من &quot;وقت صلاحية صالح&quot;.,
 Valuation Rate required for Item {0} at row {1},معدل التقييم مطلوب للبند {0} في الصف {1},
 Values Out Of Sync,القيم خارج المزامنة,
 Vehicle Type is required if Mode of Transport is Road,نوع المركبة مطلوب إذا كان وضع النقل هو الطريق,
@@ -4211,7 +4168,6 @@
 Add to Cart,أضف إلى السلة,
 Days Since Last Order,أيام منذ آخر طلب,
 In Stock,متوفر,
-Loan Amount is mandatory,مبلغ القرض إلزامي,
 Mode Of Payment,طريقة الدفع,
 No students Found,لم يتم العثور على الطلاب,
 Not in Stock,غير متوفر,
@@ -4240,7 +4196,6 @@
 Group by,المجموعة حسب,
 In stock,في المخزن,
 Item name,اسم السلعة,
-Loan amount is mandatory,مبلغ القرض إلزامي,
 Minimum Qty,الكمية الدنيا,
 More details,مزيد من التفاصيل,
 Nature of Supplies,طبيعة الامدادات,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,إجمالي الكمية المكتملة,
 Qty to Manufacture,الكمية للتصنيع,
 Repay From Salary can be selected only for term loans,يمكن اختيار السداد من الراتب للقروض لأجل فقط,
-No valid Loan Security Price found for {0},لم يتم العثور على سعر ضمان قرض صالح لـ {0},
-Loan Account and Payment Account cannot be same,لا يمكن أن يكون حساب القرض وحساب الدفع متماثلين,
-Loan Security Pledge can only be created for secured loans,لا يمكن إنشاء تعهد ضمان القرض إلا للقروض المضمونة,
 Social Media Campaigns,حملات التواصل الاجتماعي,
 From Date can not be greater than To Date,لا يمكن أن يكون من تاريخ أكبر من تاريخ,
 Please set a Customer linked to the Patient,يرجى تعيين عميل مرتبط بالمريض,
@@ -6437,7 +6389,6 @@
 HR User,مستخدم الموارد البشرية,
 Appointment Letter,رسالة موعد,
 Job Applicant,طالب الوظيفة,
-Applicant Name,اسم طالب الوظيفة,
 Appointment Date,تاريخ الموعد,
 Appointment Letter Template,قالب رسالة التعيين,
 Body,الجسم,
@@ -7059,99 +7010,12 @@
 Sync in Progress,المزامنة قيد التقدم,
 Hub Seller Name,اسم البائع المحور,
 Custom Data,البيانات المخصصة,
-Member,عضو,
-Partially Disbursed,صرف جزئ,
-Loan Closure Requested,مطلوب قرض الإغلاق,
 Repay From Salary,سداد من الراتب,
-Loan Details,تفاصيل القرض,
-Loan Type,نوع القرض,
-Loan Amount,قيمة القرض,
-Is Secured Loan,هو قرض مضمون,
-Rate of Interest (%) / Year,معدل الفائدة (٪) / السنة,
-Disbursement Date,تاريخ الصرف,
-Disbursed Amount,المبلغ المصروف,
-Is Term Loan,هو قرض لأجل,
-Repayment Method,طريقة السداد,
-Repay Fixed Amount per Period,سداد قيمة ثابتة لكل فترة,
-Repay Over Number of Periods,سداد على عدد فترات,
-Repayment Period in Months,فترة السداد بالأشهر,
-Monthly Repayment Amount,قيمة السداد الشهري,
-Repayment Start Date,تاريخ بداية السداد,
-Loan Security Details,تفاصيل ضمان القرض,
-Maximum Loan Value,الحد الأقصى لقيمة القرض,
-Account Info,معلومات الحساب,
-Loan Account,حساب القرض,
-Interest Income Account,الحساب الخاص بإيرادات الفائدة,
-Penalty Income Account,حساب دخل الجزاء,
-Repayment Schedule,الجدول الزمني للسداد,
-Total Payable Amount,المبلغ الكلي المستحق,
-Total Principal Paid,إجمالي المبلغ المدفوع,
-Total Interest Payable,مجموع الفائدة الواجب دفعها,
-Total Amount Paid,مجموع المبلغ المدفوع,
-Loan Manager,مدير القرض,
-Loan Info,معلومات قرض,
-Rate of Interest,معدل الفائدة,
-Proposed Pledges,التعهدات المقترحة,
-Maximum Loan Amount,أعلى قيمة للقرض,
-Repayment Info,معلومات السداد,
-Total Payable Interest,مجموع الفوائد الدائنة,
-Against Loan ,مقابل القرض,
-Loan Interest Accrual,استحقاق فائدة القرض,
-Amounts,مبالغ,
-Pending Principal Amount,في انتظار المبلغ الرئيسي,
-Payable Principal Amount,المبلغ الرئيسي المستحق,
-Paid Principal Amount,المبلغ الأساسي المدفوع,
-Paid Interest Amount,مبلغ الفائدة المدفوعة,
-Process Loan Interest Accrual,استحقاق الفائدة من قرض العملية,
-Repayment Schedule Name,اسم جدول السداد,
 Regular Payment,الدفع المنتظم,
 Loan Closure,إغلاق القرض,
-Payment Details,تفاصيل الدفع,
-Interest Payable,الفوائد المستحقة الدفع,
-Amount Paid,القيمة المدفوعة,
-Principal Amount Paid,المبلغ الرئيسي المدفوع,
-Repayment Details,تفاصيل السداد,
-Loan Repayment Detail,تفاصيل سداد القرض,
-Loan Security Name,اسم ضمان القرض,
-Unit Of Measure,وحدة القياس,
-Loan Security Code,رمز ضمان القرض,
-Loan Security Type,نوع ضمان القرض,
-Haircut %,حلاقة شعر ٪,
-Loan  Details,تفاصيل القرض,
-Unpledged,Unpledged,
-Pledged,تعهد,
-Partially Pledged,تعهد جزئي,
-Securities,ضمانات,
-Total Security Value,إجمالي قيمة الأمن,
-Loan Security Shortfall,قرض أمن النقص,
-Loan ,قرض,
-Shortfall Time,وقت العجز,
-America/New_York,أمريكا / نيويورك,
-Shortfall Amount,عجز المبلغ,
-Security Value ,قيمة الأمن,
-Process Loan Security Shortfall,النقص في عملية قرض القرض,
-Loan To Value Ratio,نسبة القروض إلى قيمة,
-Unpledge Time,الوقت unpledge,
-Loan Name,اسم قرض,
 Rate of Interest (%) Yearly,معدل الفائدة (٪) سنوي,
-Penalty Interest Rate (%) Per Day,عقوبة سعر الفائدة (٪) في اليوم الواحد,
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,يتم فرض معدل الفائدة الجزائية على مبلغ الفائدة المعلق على أساس يومي في حالة التأخر في السداد,
-Grace Period in Days,فترة السماح بالأيام,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,عدد الأيام من تاريخ الاستحقاق التي لن يتم فرض غرامة عليها في حالة التأخير في سداد القرض,
-Pledge,التعهد,
-Post Haircut Amount,بعد قص شعر,
-Process Type,نوع العملية,
-Update Time,تحديث الوقت,
-Proposed Pledge,التعهد المقترح,
-Total Payment,إجمالي الدفعة,
-Balance Loan Amount,رصيد مبلغ القرض,
-Is Accrued,المستحقة,
 Salary Slip Loan,قرض كشف الراتب,
 Loan Repayment Entry,إدخال سداد القرض,
-Sanctioned Loan Amount,مبلغ القرض المحكوم عليه,
-Sanctioned Amount Limit,الحد الأقصى للعقوبة,
-Unpledge,Unpledge,
-Haircut,حلاقة شعر,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,إنشاء جدول,
 Schedules,جداول,
@@ -7885,7 +7749,6 @@
 Update Series,تحديث الرقم المتسلسل,
 Change the starting / current sequence number of an existing series.,تغيير رقم تسلسل بدء / الحالي من سلسلة الموجودة.,
 Prefix,بادئة,
-Current Value,القيمة الحالية,
 This is the number of the last created transaction with this prefix,هذا هو عدد المعاملات التي تم إنشاؤها باستخدام مشاركة هذه البادئة,
 Update Series Number,تحديث الرقم المتسلسل,
 Quotation Lost Reason,سبب خسارة المناقصة,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,مستوى إعادة ترتيب يوصى به وفقاً للصنف,
 Lead Details,تفاصيل الزبون المحتمل,
 Lead Owner Efficiency,يؤدي كفاءة المالك,
-Loan Repayment and Closure,سداد القرض وإغلاقه,
-Loan Security Status,حالة ضمان القرض,
 Lost Opportunity,فرصة ضائعة,
 Maintenance Schedules,جداول الصيانة,
 Material Requests for which Supplier Quotations are not created,طلبات المواد التي لم ينشأ لها عروض أسعار من الموردين,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},الأعداد المستهدفة: {0},
 Payment Account is mandatory,حساب الدفع إلزامي,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.",إذا تم تحديده ، فسيتم خصم المبلغ بالكامل من الدخل الخاضع للضريبة قبل حساب ضريبة الدخل دون تقديم أي إعلان أو إثبات.,
-Disbursement Details,تفاصيل الصرف,
 Material Request Warehouse,مستودع طلب المواد,
 Select warehouse for material requests,حدد المستودع لطلبات المواد,
 Transfer Materials For Warehouse {0},نقل المواد للمستودع {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,سداد المبلغ غير المطالب به من الراتب,
 Deduction from salary,خصم من الراتب,
 Expired Leaves,أوراق منتهية الصلاحية,
-Reference No,رقم المرجع,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,نسبة الحلاقة هي النسبة المئوية للفرق بين القيمة السوقية لسند القرض والقيمة المنسوبة إلى ضمان القرض هذا عند استخدامها كضمان لهذا القرض.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,تعبر نسبة القرض إلى القيمة عن نسبة مبلغ القرض إلى قيمة الضمان المرهون. سيحدث عجز في تأمين القرض إذا انخفض عن القيمة المحددة لأي قرض,
 If this is not checked the loan by default will be considered as a Demand Loan,إذا لم يتم التحقق من ذلك ، فسيتم اعتبار القرض بشكل افتراضي كقرض تحت الطلب,
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,يستخدم هذا الحساب لحجز أقساط سداد القرض من المقترض وأيضًا صرف القروض للمقترض,
 This account is capital account which is used to allocate capital for loan disbursal account ,هذا الحساب هو حساب رأس المال الذي يستخدم لتخصيص رأس المال لحساب صرف القرض,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},العملية {0} لا تنتمي إلى أمر العمل {1},
 Print UOM after Quantity,اطبع UOM بعد الكمية,
 Set default {0} account for perpetual inventory for non stock items,تعيين حساب {0} الافتراضي للمخزون الدائم للعناصر غير المخزنة,
-Loan Security {0} added multiple times,تمت إضافة ضمان القرض {0} عدة مرات,
-Loan Securities with different LTV ratio cannot be pledged against one loan,لا يمكن رهن سندات القرض ذات نسبة القيمة الدائمة المختلفة لقرض واحد,
-Qty or Amount is mandatory for loan security!,الكمية أو المبلغ إلزامي لضمان القرض!,
-Only submittted unpledge requests can be approved,يمكن الموافقة على طلبات إلغاء التعهد المقدمة فقط,
-Interest Amount or Principal Amount is mandatory,مبلغ الفائدة أو المبلغ الأساسي إلزامي,
-Disbursed Amount cannot be greater than {0},لا يمكن أن يكون المبلغ المصروف أكبر من {0},
-Row {0}: Loan Security {1} added multiple times,الصف {0}: تمت إضافة ضمان القرض {1} عدة مرات,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,الصف رقم {0}: يجب ألا يكون العنصر الفرعي عبارة عن حزمة منتج. يرجى إزالة العنصر {1} وحفظه,
 Credit limit reached for customer {0},تم بلوغ حد الائتمان للعميل {0},
 Could not auto create Customer due to the following missing mandatory field(s):,تعذر إنشاء العميل تلقائيًا بسبب الحقول الإلزامية التالية المفقودة:,
diff --git a/erpnext/translations/bg.csv b/erpnext/translations/bg.csv
index 964a9f8..e909e4b 100644
--- a/erpnext/translations/bg.csv
+++ b/erpnext/translations/bg.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Приложимо, ако компанията е SpA, SApA или SRL",
 Applicable if the company is a limited liability company,"Приложимо, ако дружеството е дружество с ограничена отговорност",
 Applicable if the company is an Individual or a Proprietorship,"Приложимо, ако дружеството е физическо лице или собственик",
-Applicant,кандидат,
-Applicant Type,Тип на кандидата,
 Application of Funds (Assets),Прилагане на средства (активи),
 Application period cannot be across two allocation records,Периодът на кандидатстване не може да бъде в две записи за разпределение,
 Application period cannot be outside leave allocation period,Срок за кандидатстване не може да бъде извън отпуск период на разпределение,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Списък на наличните акционери с номера на фолиото,
 Loading Payment System,Зареждане на платежна система,
 Loan,заем,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Размер на кредита не може да надвишава сума на максимален заем  {0},
-Loan Application,Искане за кредит,
-Loan Management,Управление на заемите,
-Loan Repayment,Погасяване на кредита,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Началната дата на кредита и Периодът на заема са задължителни за запазване на отстъпката от фактури,
 Loans (Liabilities),Заеми (пасиви),
 Loans and Advances (Assets),Кредити и аванси (активи),
@@ -1611,7 +1605,6 @@
 Monday,Понеделник,
 Monthly,Месечно,
 Monthly Distribution,Месечно разпределение,
-Monthly Repayment Amount cannot be greater than Loan Amount,Месечна погасителна сума не може да бъде по-голяма от Размер на заема,
 More,Още,
 More Information,Повече информация,
 More than one selection for {0} not allowed,Повече от един избор за {0} не е разрешен,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Платете {0} {1},
 Payable,платим,
 Payable Account,Платими Акаунт,
-Payable Amount,Дължима сума,
 Payment,плащане,
 Payment Cancelled. Please check your GoCardless Account for more details,"Плащането е отменено. Моля, проверете профила си в GoCardless за повече подробности",
 Payment Confirmation,Потвърждение за плащане,
-Payment Date,Дата за плащане,
 Payment Days,Плащане Дни,
 Payment Document,платежен документ,
 Payment Due Date,Дължимото плащане Дата,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,"Моля, въведете Покупка Квитанция първия",
 Please enter Receipt Document,"Моля, въведете Получаване на документация",
 Please enter Reference date,"Моля, въведете референтна дата",
-Please enter Repayment Periods,"Моля, въведете Възстановяване Периоди",
 Please enter Reqd by Date,"Моля, въведете Reqd по дата",
 Please enter Woocommerce Server URL,"Моля, въведете URL адреса на Woocommerce Server",
 Please enter Write Off Account,"Моля, въведете отпишат Акаунт",
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,"Моля, въведете разходен център майка",
 Please enter quantity for Item {0},"Моля, въведете количество за т {0}",
 Please enter relieving date.,"Моля, въведете облекчаване дата.",
-Please enter repayment Amount,"Моля, въведете погасяване сума",
 Please enter valid Financial Year Start and End Dates,"Моля, въведете валидни начални и крайни дати за финансова година",
 Please enter valid email address,"Моля, въведете валиден имейл адрес",
 Please enter {0} first,"Моля, въведете {0} първо",
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Правилата за ценообразуване са допълнително филтрирани въз основа на количеството.,
 Primary Address Details,Основни данни за адреса,
 Primary Contact Details,Основни данни за контакт,
-Principal Amount,Размер на главницата,
 Print Format,Print Format,
 Print IRS 1099 Forms,Печат IRS 1099 Форми,
 Print Report Card,Отпечатайте отчетната карта,
@@ -2550,7 +2538,6 @@
 Sample Collection,Колекция от проби,
 Sample quantity {0} cannot be more than received quantity {1},Количеството на пробата {0} не може да бъде повече от полученото количество {1},
 Sanctioned,санкционирана,
-Sanctioned Amount,Санкционирани Сума,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Санкционирани сума не може да бъде по-голяма от претенция Сума в Row {0}.,
 Sand,Пясък,
 Saturday,Събота,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} вече има родителска процедура {1}.,
 API,API,
 Annual,Годишен,
-Approved,Одобрен,
 Change,Промяна,
 Contact Email,Контакт Email,
 Export Type,Тип експорт,
@@ -3571,7 +3557,6 @@
 Account Value,Стойност на сметката,
 Account is mandatory to get payment entries,Сметката е задължителна за получаване на плащания,
 Account is not set for the dashboard chart {0},Профилът не е зададен за таблицата на таблото {0},
-Account {0} does not belong to company {1},Сметка {0} не принадлежи към Фирма {1},
 Account {0} does not exists in the dashboard chart {1},Акаунт {0} не съществува в таблицата на таблото {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Акаунт: <b>{0}</b> е капитал Незавършено производство и не може да бъде актуализиран от Entry Entry,
 Account: {0} is not permitted under Payment Entry,Акаунт: {0} не е разрешено при въвеждане на плащане,
@@ -3582,7 +3567,6 @@
 Activity,Дейност,
 Add / Manage Email Accounts.,Добавяне / Управление на имейл акаунти.,
 Add Child,Добави Поделемент,
-Add Loan Security,Добавете Заемна гаранция,
 Add Multiple,Добави няколко,
 Add Participants,Добавете участници,
 Add to Featured Item,Добавяне към Featured Item,
@@ -3593,15 +3577,12 @@
 Address Line 1,Адрес - Ред 1,
 Addresses,Адреси,
 Admission End Date should be greater than Admission Start Date.,Крайната дата на приемане трябва да бъде по-голяма от началната дата на приемане.,
-Against Loan,Срещу заем,
-Against Loan:,Срещу заем:,
 All,всичко,
 All bank transactions have been created,Всички банкови транзакции са създадени,
 All the depreciations has been booked,Всички амортизации са записани,
 Allocation Expired!,Разпределението изтече!,
 Allow Resetting Service Level Agreement from Support Settings.,Разрешаване на нулиране на споразумението за ниво на обслужване от настройките за поддръжка.,
 Amount of {0} is required for Loan closure,Сума от {0} е необходима за закриване на заем,
-Amount paid cannot be zero,Изплатената сума не може да бъде нула,
 Applied Coupon Code,Приложен купонов код,
 Apply Coupon Code,Приложете купонния код,
 Appointment Booking,Резервация за назначение,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,"Не може да се изчисли времето на пристигане, тъй като адресът на водача липсва.",
 Cannot Optimize Route as Driver Address is Missing.,"Не може да се оптимизира маршрута, тъй като адресът на драйвера липсва.",
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Не може да се изпълни задача {0}, тъй като нейната зависима задача {1} не е завършена / анулирана.",
-Cannot create loan until application is approved,"Не може да се създаде заем, докато заявлението не бъде одобрено",
 Cannot find a matching Item. Please select some other value for {0}.,Няма съвпадащи записи. Моля изберете някоя друга стойност за {0}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Не може да се таксува за елемент {0} в ред {1} повече от {2}. За да разрешите надплащането, моля, задайте квота в Настройки на акаунти",
 "Capacity Planning Error, planned start time can not be same as end time","Грешка при планиране на капацитета, планираното начално време не може да бъде същото като крайното време",
@@ -3812,20 +3792,9 @@
 Less Than Amount,По-малко от сумата,
 Liabilities,пасив,
 Loading...,Зарежда се ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Заемът надвишава максималния размер на заема от {0} според предложените ценни книжа,
 Loan Applications from customers and employees.,Заявления за заем от клиенти и служители.,
-Loan Disbursement,Изплащане на заем,
 Loan Processes,Заемни процеси,
-Loan Security,Заемна гаранция,
-Loan Security Pledge,Залог за заем на заем,
-Loan Security Pledge Created : {0},Залог за заем на заем създаден: {0},
-Loan Security Price,Цена на заемна гаранция,
-Loan Security Price overlapping with {0},Цената на заемната гаранция се припокрива с {0},
-Loan Security Unpledge,Отстраняване на сигурността на заема,
-Loan Security Value,Стойност на сигурността на кредита,
 Loan Type for interest and penalty rates,Тип заем за лихви и наказателни лихви,
-Loan amount cannot be greater than {0},Сумата на заема не може да бъде по-голяма от {0},
-Loan is mandatory,Заемът е задължителен,
 Loans,Кредити,
 Loans provided to customers and employees.,"Кредити, предоставяни на клиенти и служители.",
 Location,Местоположение,
@@ -3894,7 +3863,6 @@
 Pay,Плащане,
 Payment Document Type,Тип на документа за плащане,
 Payment Name,Име на плащане,
-Penalty Amount,Сума на наказанието,
 Pending,В очакване на,
 Performance,производителност,
 Period based On,"Период, базиран на",
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,"Моля, влезте като потребител на Marketplace, за да редактирате този елемент.",
 Please login as a Marketplace User to report this item.,"Моля, влезте като потребител на Marketplace, за да докладвате за този артикул.",
 Please select <b>Template Type</b> to download template,"Моля, изберете <b>Тип шаблон</b> за изтегляне на шаблон",
-Please select Applicant Type first,"Моля, първо изберете типа кандидат",
 Please select Customer first,"Моля, първо изберете клиента",
 Please select Item Code first,"Моля, първо изберете кода на артикула",
-Please select Loan Type for company {0},"Моля, изберете тип заем за компания {0}",
 Please select a Delivery Note,"Моля, изберете Бележка за доставка",
 Please select a Sales Person for item: {0},"Моля, изберете продавач за артикул: {0}",
 Please select another payment method. Stripe does not support transactions in currency '{0}',"Моля, изберете друг начин на плащане. Слоя не поддържа транзакции във валута &quot;{0}&quot;",
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},"Моля, настройте банкова сметка по подразбиране за компания {0}",
 Please specify,"Моля, посочете",
 Please specify a {0},"Моля, посочете {0}",lead
-Pledge Status,Статус на залог,
-Pledge Time,Време за залог,
 Printing,Печатане,
 Priority,Приоритет,
 Priority has been changed to {0}.,Приоритетът е променен на {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Обработка на XML файлове,
 Profitability,Доходност,
 Project,Проект,
-Proposed Pledges are mandatory for secured Loans,Предложените залози са задължителни за обезпечените заеми,
 Provide the academic year and set the starting and ending date.,Посочете учебната година и задайте началната и крайната дата.,
 Public token is missing for this bank,Публичен маркер липсва за тази банка,
 Publish,публикувам,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Покупка на разписка няма артикул, за който е активирана задържана проба.",
 Purchase Return,Покупка Return,
 Qty of Finished Goods Item,Брой готови стоки,
-Qty or Amount is mandatroy for loan security,Количеството или сумата е мандатрой за гаранция на заема,
 Quality Inspection required for Item {0} to submit,"Проверка на качеството, необходима за изпращане на артикул {0}",
 Quantity to Manufacture,Количество за производство,
 Quantity to Manufacture can not be zero for the operation {0},Количеството за производство не може да бъде нула за операцията {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Дата на освобождаване трябва да бъде по-голяма или равна на датата на присъединяване,
 Rename,Преименувай,
 Rename Not Allowed,Преименуването не е позволено,
-Repayment Method is mandatory for term loans,Методът на погасяване е задължителен за срочните заеми,
-Repayment Start Date is mandatory for term loans,Началната дата на погасяване е задължителна за срочните заеми,
 Report Item,Елемент на отчета,
 Report this Item,Подайте сигнал за този елемент,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,"Количество, запазено за подизпълнение: Количеството суровини за изработка на артикули, възложени на подизпълнители.",
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Ред ({0}): {1} вече се отстъпва от {2},
 Rows Added in {0},Редове добавени в {0},
 Rows Removed in {0},Редовете са премахнати в {0},
-Sanctioned Amount limit crossed for {0} {1},Пределно ограничената сума е пресечена за {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},Сумата на санкционирания заем вече съществува за {0} срещу компания {1},
 Save,Запази,
 Save Item,Запазване на елемент,
 Saved Items,Запазени елементи,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Потребителят {0} е деактивиран,
 Users and Permissions,Потребители и права,
 Vacancies cannot be lower than the current openings,Свободните места не могат да бъдат по-ниски от сегашните отвори,
-Valid From Time must be lesser than Valid Upto Time.,Валидно от времето трябва да е по-малко от валидното до време.,
 Valuation Rate required for Item {0} at row {1},"Степен на оценка, необходим за позиция {0} в ред {1}",
 Values Out Of Sync,Стойности извън синхронизирането,
 Vehicle Type is required if Mode of Transport is Road,"Тип превозно средство се изисква, ако начинът на транспорт е път",
@@ -4211,7 +4168,6 @@
 Add to Cart,Добави в кошницата,
 Days Since Last Order,Дни от последната поръчка,
 In Stock,В наличност,
-Loan Amount is mandatory,Размерът на заема е задължителен,
 Mode Of Payment,Начин на плащане,
 No students Found,Няма намерени ученици,
 Not in Stock,Не е в наличност,
@@ -4240,7 +4196,6 @@
 Group by,Групирай по,
 In stock,В наличност,
 Item name,Име на артикул,
-Loan amount is mandatory,Размерът на заема е задължителен,
 Minimum Qty,Минимален брой,
 More details,Повече детайли,
 Nature of Supplies,Природа на консумативите,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Общо завършен брой,
 Qty to Manufacture,Количество за производство,
 Repay From Salary can be selected only for term loans,Погасяване от заплата може да бъде избрано само за срочни заеми,
-No valid Loan Security Price found for {0},Не е намерена валидна цена за сигурност на заема за {0},
-Loan Account and Payment Account cannot be same,Заемната сметка и платежната сметка не могат да бъдат еднакви,
-Loan Security Pledge can only be created for secured loans,Залогът за обезпечение на кредита може да бъде създаден само за обезпечени заеми,
 Social Media Campaigns,Кампании в социалните медии,
 From Date can not be greater than To Date,От дата не може да бъде по-голяма от до дата,
 Please set a Customer linked to the Patient,"Моля, задайте клиент, свързан с пациента",
@@ -6437,7 +6389,6 @@
 HR User,ЧР потребителя,
 Appointment Letter,Писмо за уговаряне на среща,
 Job Applicant,Кандидат За Работа,
-Applicant Name,Заявител Име,
 Appointment Date,Дата на назначаване,
 Appointment Letter Template,Шаблон писмо за назначаване,
 Body,тяло,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Синхронизиране в процес,
 Hub Seller Name,Име на продавача,
 Custom Data,Персонализирани данни,
-Member,Член,
-Partially Disbursed,Частично Изплатени,
-Loan Closure Requested,Изисквано закриване на заем,
 Repay From Salary,Погасяване от Заплата,
-Loan Details,Заем - Детайли,
-Loan Type,Вид на кредита,
-Loan Amount,Заета сума,
-Is Secured Loan,Осигурен е заем,
-Rate of Interest (%) / Year,Лихвен процент (%) / Година,
-Disbursement Date,Изплащане - Дата,
-Disbursed Amount,Изплатена сума,
-Is Term Loan,Термин заем ли е,
-Repayment Method,Възстановяване Метод,
-Repay Fixed Amount per Period,Погасяване фиксирана сума за Период,
-Repay Over Number of Periods,Погасяване Над брой периоди,
-Repayment Period in Months,Възстановяването Период в месеци,
-Monthly Repayment Amount,Месечна погасителна сума,
-Repayment Start Date,Начална дата на погасяване,
-Loan Security Details,Детайли за сигурност на заема,
-Maximum Loan Value,Максимална стойност на кредита,
-Account Info,Информация за профила,
-Loan Account,Кредитна сметка,
-Interest Income Account,Сметка Приходи от лихви,
-Penalty Income Account,Сметка за доходи от санкции,
-Repayment Schedule,погасителен план,
-Total Payable Amount,Общо Задължения Сума,
-Total Principal Paid,Общо платена главница,
-Total Interest Payable,"Общо дължима лихва,",
-Total Amount Paid,Обща платена сума,
-Loan Manager,Кредитен мениджър,
-Loan Info,Заем - Информация,
-Rate of Interest,Размерът на лихвата,
-Proposed Pledges,Предложени обещания,
-Maximum Loan Amount,Максимален Размер на заема,
-Repayment Info,Възстановяване Info,
-Total Payable Interest,Общо дължими лихви,
-Against Loan ,Срещу заем,
-Loan Interest Accrual,Начисляване на лихви по заеми,
-Amounts,суми,
-Pending Principal Amount,Висяща главна сума,
-Payable Principal Amount,Дължима главна сума,
-Paid Principal Amount,Платена главница,
-Paid Interest Amount,Платена лихва,
-Process Loan Interest Accrual,Начисляване на лихви по заемни процеси,
-Repayment Schedule Name,Име на графика за погасяване,
 Regular Payment,Редовно плащане,
 Loan Closure,Закриване на заем,
-Payment Details,Подробности на плащане,
-Interest Payable,Дължими лихви,
-Amount Paid,"Сума, платена",
-Principal Amount Paid,Основна изплатена сума,
-Repayment Details,Подробности за погасяване,
-Loan Repayment Detail,Подробности за изплащането на заема,
-Loan Security Name,Име на сигурността на заема,
-Unit Of Measure,Мерна единица,
-Loan Security Code,Код за сигурност на заема,
-Loan Security Type,Тип на заема,
-Haircut %,Прическа%,
-Loan  Details,Подробности за заема,
-Unpledged,Unpledged,
-Pledged,Заложените,
-Partially Pledged,Частично заложено,
-Securities,ценни книжа,
-Total Security Value,Обща стойност на сигурността,
-Loan Security Shortfall,Недостиг на кредитна сигурност,
-Loan ,заем,
-Shortfall Time,Време за недостиг,
-America/New_York,Америка / New_York,
-Shortfall Amount,Сума на недостиг,
-Security Value ,Стойност на сигурността,
-Process Loan Security Shortfall,Дефицит по сигурността на заемния процес,
-Loan To Value Ratio,Съотношение заем към стойност,
-Unpledge Time,Време за сваляне,
-Loan Name,Заем - Име,
 Rate of Interest (%) Yearly,Лихвен процент (%) Годишен,
-Penalty Interest Rate (%) Per Day,Наказателна лихва (%) на ден,
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Наказателната лихва се начислява ежедневно върху чакащата лихва в случай на забавено погасяване,
-Grace Period in Days,Грейс период за дни,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,"Брой дни от датата на падежа, до която неустойката няма да бъде начислена в случай на забавяне на изплащането на заема",
-Pledge,залог,
-Post Haircut Amount,Сума на прическата след публикуване,
-Process Type,Тип процес,
-Update Time,Време за актуализация,
-Proposed Pledge,Предложен залог,
-Total Payment,Общо плащане,
-Balance Loan Amount,Баланс на заема,
-Is Accrued,Начислява се,
 Salary Slip Loan,Кредит за заплащане,
 Loan Repayment Entry,Вписване за погасяване на заем,
-Sanctioned Loan Amount,Санкционирана сума на заема,
-Sanctioned Amount Limit,Ограничен размер на санкционираната сума,
-Unpledge,Unpledge,
-Haircut,подстригване,
 MAT-MSH-.YYYY.-,МАТ-MSH-.YYYY.-,
 Generate Schedule,Генериране на график,
 Schedules,Графици,
@@ -7885,7 +7749,6 @@
 Update Series,Актуализация Номериране,
 Change the starting / current sequence number of an existing series.,Промяна на изходния / текущия номер за последователност на съществуваща серия.,
 Prefix,Префикс,
-Current Value,Текуща стойност,
 This is the number of the last created transaction with this prefix,Това е поредният номер на последната създадена сделката с този префикс,
 Update Series Number,Актуализация на номер за номериране,
 Quotation Lost Reason,Оферта Причина за загубване,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise Препоръчано Пренареждане Level,
 Lead Details,Потенциален клиент - Детайли,
 Lead Owner Efficiency,Водеща ефективност на собственика,
-Loan Repayment and Closure,Погасяване и закриване на заем,
-Loan Security Status,Състояние на сигурността на кредита,
 Lost Opportunity,Изгубена възможност,
 Maintenance Schedules,Графици за поддръжка,
 Material Requests for which Supplier Quotations are not created,Материал Исканията за които не са създадени Доставчик Цитати,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Насочени бройки: {0},
 Payment Account is mandatory,Платежната сметка е задължителна,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Ако е отметнато, пълната сума ще бъде приспадната от облагаемия доход, преди да се изчисли данък върху дохода, без да се подават декларация или доказателство.",
-Disbursement Details,Подробности за изплащане,
 Material Request Warehouse,Склад за заявки за материали,
 Select warehouse for material requests,Изберете склад за заявки за материали,
 Transfer Materials For Warehouse {0},Прехвърляне на материали за склад {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Изплатете непотърсена сума от заплата,
 Deduction from salary,Приспадане от заплата,
 Expired Leaves,Листа с изтекъл срок на годност,
-Reference No,Референтен номер,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,"Процентът на подстригване е процентната разлика между пазарната стойност на обезпечението на заема и стойността, приписана на тази заемна гаранция, когато се използва като обезпечение за този заем.",
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,"Съотношението заем към стойност изразява съотношението на сумата на заема към стойността на заложената гаранция. Дефицит на обезпечение на заема ще се задейства, ако той падне под определената стойност за който и да е заем",
 If this is not checked the loan by default will be considered as a Demand Loan,"Ако това не е отметнато, заемът по подразбиране ще се счита за кредит за търсене",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,"Тази сметка се използва за резервиране на изплащане на заеми от кредитополучателя, както и за изплащане на заеми на кредитополучателя",
 This account is capital account which is used to allocate capital for loan disbursal account ,"Тази сметка е капиталова сметка, която се използва за разпределяне на капитал за сметка за оттегляне на заеми",
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Операция {0} не принадлежи към работната поръчка {1},
 Print UOM after Quantity,Отпечатайте UOM след Количество,
 Set default {0} account for perpetual inventory for non stock items,"Задайте по подразбиране {0} акаунт за непрекъснат инвентар за артикули, които не са на склад",
-Loan Security {0} added multiple times,Защита на заема {0} добавена няколко пъти,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Заемни ценни книжа с различно съотношение LTV не могат да бъдат заложени срещу един заем,
-Qty or Amount is mandatory for loan security!,Количеството или сумата са задължителни за обезпечение на заема!,
-Only submittted unpledge requests can be approved,Могат да бъдат одобрени само подадени заявки за необвързване,
-Interest Amount or Principal Amount is mandatory,Сумата на лихвата или главницата е задължителна,
-Disbursed Amount cannot be greater than {0},Изплатената сума не може да бъде по-голяма от {0},
-Row {0}: Loan Security {1} added multiple times,Ред {0}: Заем за сигурност {1} е добавен няколко пъти,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,"Ред № {0}: Дочерният елемент не трябва да бъде продуктов пакет. Моля, премахнете елемент {1} и запазете",
 Credit limit reached for customer {0},Достигнат е кредитен лимит за клиент {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Не можа да се създаде автоматично клиент поради следните липсващи задължителни полета:,
diff --git a/erpnext/translations/bn.csv b/erpnext/translations/bn.csv
index 2058bde..af6c1b9 100644
--- a/erpnext/translations/bn.csv
+++ b/erpnext/translations/bn.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","প্রযোজ্য যদি সংস্থাটি স্পা, এসএপিএ বা এসআরএল হয়",
 Applicable if the company is a limited liability company,প্রযোজ্য যদি সংস্থাটি একটি সীমাবদ্ধ দায়বদ্ধ সংস্থা হয়,
 Applicable if the company is an Individual or a Proprietorship,প্রযোজ্য যদি সংস্থাটি ব্যক্তিগত বা স্বত্বাধিকারী হয়,
-Applicant,আবেদক,
-Applicant Type,আবেদনকারী প্রকার,
 Application of Funds (Assets),ফান্ডস (সম্পদ) এর আবেদন,
 Application period cannot be across two allocation records,অ্যাপ্লিকেশন সময়সীমা দুটি বরাদ্দ রেকর্ড জুড়ে হতে পারে না,
 Application period cannot be outside leave allocation period,আবেদনের সময় বাইরে ছুটি বরাদ্দ সময়ের হতে পারে না,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,ফোলিও নম্বরগুলি সহ উপলব্ধ অংশীদারদের তালিকা,
 Loading Payment System,পেমেন্ট সিস্টেম লোড হচ্ছে,
 Loan,ঋণ,
-Loan Amount cannot exceed Maximum Loan Amount of {0},ঋণের পরিমাণ সর্বোচ্চ ঋণের পরিমাণ বেশি হতে পারে না {0},
-Loan Application,ঋণ আবেদন,
-Loan Management,ঋণ ব্যবস্থাপনা,
-Loan Repayment,ঋণ পরিশোধ,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,চালানের ছাড় ছাড়ের জন্য anণ শুরুর তারিখ এবং Perণের সময়কাল বাধ্যতামূলক,
 Loans (Liabilities),ঋণ (দায়),
 Loans and Advances (Assets),ঋণ ও অগ্রিমের (সম্পদ),
@@ -1611,7 +1605,6 @@
 Monday,সোমবার,
 Monthly,মাসিক,
 Monthly Distribution,মাসিক বন্টন,
-Monthly Repayment Amount cannot be greater than Loan Amount,মাসিক পরিশোধ পরিমাণ ঋণের পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না,
 More,অধিক,
 More Information,অধিক তথ্য,
 More than one selection for {0} not allowed,{0} এর জন্য একাধিক নির্বাচন অনুমোদিত নয়,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},{0} {1} পে,
 Payable,প্রদেয়,
 Payable Account,প্রদেয় অ্যাকাউন্ট,
-Payable Amount,প্রদেয় পরিমান,
 Payment,প্রদান,
 Payment Cancelled. Please check your GoCardless Account for more details,পেমেন্ট বাতিল আরো তথ্যের জন্য আপনার GoCardless অ্যাকাউন্ট চেক করুন,
 Payment Confirmation,বিল প্রদানের সত্ততা,
-Payment Date,টাকা প্রদানের তারিখ,
 Payment Days,পেমেন্ট দিন,
 Payment Document,পেমেন্ট ডকুমেন্ট,
 Payment Due Date,পরিশোধযোগ্য তারিখ,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,প্রথম কেনার রসিদ লিখুন দয়া করে,
 Please enter Receipt Document,রশিদ ডকুমেন্ট লিখুন দয়া করে,
 Please enter Reference date,রেফারেন্স তারিখ লিখুন দয়া করে,
-Please enter Repayment Periods,পরিশোধ সময়কাল প্রবেশ করুন,
 Please enter Reqd by Date,তারিখ দ্বারা Reqd লিখুন দয়া করে,
 Please enter Woocommerce Server URL,দয়া করে Woocommerce সার্ভার URL প্রবেশ করুন,
 Please enter Write Off Account,"অ্যাকাউন্ট বন্ধ লিখতে লিখতে, অনুগ্রহ করে",
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,ঊর্ধ্বতন খরচ কেন্দ্র লিখুন দয়া করে,
 Please enter quantity for Item {0},আইটেমের জন্য পরিমাণ লিখুন দয়া করে {0},
 Please enter relieving date.,তারিখ মুক্তিদান লিখুন.,
-Please enter repayment Amount,ঋণ পরিশোধের পরিমাণ প্রবেশ করুন,
 Please enter valid Financial Year Start and End Dates,বৈধ আর্থিক বছরের শুরু এবং শেষ তারিখগুলি লিখুন দয়া করে,
 Please enter valid email address,বৈধ ইমেইল ঠিকানা লিখুন,
 Please enter {0} first,প্রথম {0} লিখুন দয়া করে,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,দামে আরও পরিমাণের উপর ভিত্তি করে ফিল্টার করা হয়.,
 Primary Address Details,প্রাথমিক ঠিকানা বিবরণ,
 Primary Contact Details,প্রাথমিক যোগাযোগের বিবরণ,
-Principal Amount,প্রধান পরিমাণ,
 Print Format,মুদ্রণ বিন্যাস,
 Print IRS 1099 Forms,আইআরএস 1099 ফর্মগুলি মুদ্রণ করুন,
 Print Report Card,রিপোর্ট কার্ড মুদ্রণ করুন,
@@ -2550,7 +2538,6 @@
 Sample Collection,নমুনা সংগ্রহ,
 Sample quantity {0} cannot be more than received quantity {1},নমুনা পরিমাণ {0} প্রাপ্ত পরিমাণের চেয়ে বেশি হতে পারে না {1},
 Sanctioned,অনুমোদিত,
-Sanctioned Amount,অনুমোদিত পরিমাণ,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,অনুমোদিত পরিমাণ সারি মধ্যে দাবি করে বেশি পরিমাণে হতে পারে না {0}.,
 Sand,বালি,
 Saturday,শনিবার,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} ইতিমধ্যে একটি মূল পদ্ধতি আছে {1}।,
 API,এপিআই,
 Annual,বার্ষিক,
-Approved,অনুমোদিত,
 Change,পরিবর্তন,
 Contact Email,যোগাযোগের ই - মেইল,
 Export Type,রপ্তানি প্রকার,
@@ -3571,7 +3557,6 @@
 Account Value,অ্যাকাউন্টের মান,
 Account is mandatory to get payment entries,পেমেন্ট এন্ট্রি পেতে অ্যাকাউন্ট বাধ্যতামূলক,
 Account is not set for the dashboard chart {0},ড্যাশবোর্ড চার্টের জন্য অ্যাকাউন্ট সেট করা নেই {0},
-Account {0} does not belong to company {1},অ্যাকাউন্ট {0} কোম্পানি অন্তর্গত নয় {1},
 Account {0} does not exists in the dashboard chart {1},অ্যাকাউন্ট {0 the ড্যাশবোর্ড চার্টে বিদ্যমান নেই {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,অ্যাকাউন্ট: <b>{0</b> মূলধন কাজ চলছে এবং জার্নাল এন্ট্রি দ্বারা আপডেট করা যাবে না,
 Account: {0} is not permitted under Payment Entry,অ্যাকাউন্ট: Ent 0 Pay পেমেন্ট এন্ট্রি অধীনে অনুমোদিত নয়,
@@ -3582,7 +3567,6 @@
 Activity,কার্যকলাপ,
 Add / Manage Email Accounts.,ইমেইল একাউন্ট পরিচালনা / যুক্ত করো.,
 Add Child,শিশু করো,
-Add Loan Security,Securityণ সুরক্ষা যুক্ত করুন,
 Add Multiple,একাধিক যোগ করুন,
 Add Participants,অংশগ্রহণকারীদের যোগ করুন,
 Add to Featured Item,বৈশিষ্ট্যযুক্ত আইটেম যোগ করুন,
@@ -3593,15 +3577,12 @@
 Address Line 1,ঠিকানা লাইন 1,
 Addresses,ঠিকানা,
 Admission End Date should be greater than Admission Start Date.,ভর্তির সমাপ্তির তারিখ ভর্তি শুরুর তারিখের চেয়ে বেশি হওয়া উচিত।,
-Against Loan,Anণের বিপরীতে,
-Against Loan:,Anণের বিপরীতে:,
 All,সব,
 All bank transactions have been created,সমস্ত ব্যাংক লেনদেন তৈরি করা হয়েছে,
 All the depreciations has been booked,সমস্ত অবমূল্যায়ন বুক করা হয়েছে,
 Allocation Expired!,বরাদ্দের মেয়াদ শেষ!,
 Allow Resetting Service Level Agreement from Support Settings.,সহায়তা সেটিংস থেকে পরিষেবা স্তরের চুক্তি পুনরায় সেট করার অনুমতি দিন।,
 Amount of {0} is required for Loan closure,Closureণ বন্ধের জন্য {0} পরিমাণ প্রয়োজন,
-Amount paid cannot be zero,প্রদত্ত পরিমাণ শূন্য হতে পারে না,
 Applied Coupon Code,প্রয়োগকৃত কুপন কোড,
 Apply Coupon Code,কুপন কোড প্রয়োগ করুন,
 Appointment Booking,অ্যাপয়েন্টমেন্ট বুকিং,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,ড্রাইভার ঠিকানা অনুপস্থিত থাকায় আগমনের সময় গণনা করা যায় না।,
 Cannot Optimize Route as Driver Address is Missing.,ড্রাইভারের ঠিকানা মিস হওয়ায় রুটটি অনুকূল করা যায় না।,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Dependent 1 its এর নির্ভরশীল টাস্ক com 1 c কমপ্লিট / বাতিল না হওয়ায় কাজটি সম্পূর্ণ করতে পারবেন না।,
-Cannot create loan until application is approved,আবেদন অনুমোদিত না হওয়া পর্যন্ত loanণ তৈরি করতে পারবেন না,
 Cannot find a matching Item. Please select some other value for {0}.,একটি মিল খুঁজে খুঁজে পাচ্ছেন না. জন্য {0} অন্য কোনো মান নির্বাচন করুন.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","আইটেম for 0 row সারিতে {1} {2} এর বেশি ওভারবিল করতে পারে না} অতিরিক্ত বিলিংয়ের অনুমতি দেওয়ার জন্য, দয়া করে অ্যাকাউন্ট সেটিংসে ভাতা সেট করুন",
 "Capacity Planning Error, planned start time can not be same as end time","সক্ষমতা পরিকল্পনার ত্রুটি, পরিকল্পিত শুরুর সময় শেষ সময়ের মতো হতে পারে না",
@@ -3812,20 +3792,9 @@
 Less Than Amount,পরিমাণের চেয়ে কম,
 Liabilities,দায়,
 Loading...,লোড হচ্ছে ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,প্রস্তাবিত সিকিওরিটি অনুযায়ী anণের পরিমাণ 0। সর্বাধিক loanণের পরিমাণ অতিক্রম করে,
 Loan Applications from customers and employees.,গ্রাহক ও কর্মচারীদের কাছ থেকে Applicationsণের আবেদন।,
-Loan Disbursement,Bণ বিতরণ,
 Loan Processes,Anণ প্রক্রিয়া,
-Loan Security,Securityণ সুরক্ষা,
-Loan Security Pledge,Securityণ সুরক্ষা প্রতিশ্রুতি,
-Loan Security Pledge Created : {0},Securityণ সুরক্ষা প্রতিশ্রুতি তৈরি: {0},
-Loan Security Price,Securityণ সুরক্ষা মূল্য,
-Loan Security Price overlapping with {0},Security 0 with দিয়ে Securityণ সুরক্ষা মূল্য ওভারল্যাপিং,
-Loan Security Unpledge,Securityণ সুরক্ষা আনপ্লেজ,
-Loan Security Value,Securityণ সুরক্ষা মান,
 Loan Type for interest and penalty rates,সুদের এবং জরিমানার হারের জন্য Typeণের ধরণ,
-Loan amount cannot be greater than {0},Anণের পরিমাণ {0 than এর বেশি হতে পারে না,
-Loan is mandatory,Anণ বাধ্যতামূলক,
 Loans,ঋণ,
 Loans provided to customers and employees.,গ্রাহক এবং কর্মচারীদের প্রদান .ণ।,
 Location,অবস্থান,
@@ -3894,7 +3863,6 @@
 Pay,বেতন,
 Payment Document Type,পেমেন্ট ডকুমেন্ট প্রকার,
 Payment Name,পেমেন্ট নাম,
-Penalty Amount,জরিমানার পরিমাণ,
 Pending,বিচারাধীন,
 Performance,কর্মক্ষমতা,
 Period based On,পিরিয়ড ভিত্তিক,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,এই আইটেমটি সম্পাদনা করতে দয়া করে মার্কেটপ্লেস ব্যবহারকারী হিসাবে লগইন করুন।,
 Please login as a Marketplace User to report this item.,এই আইটেমটি রিপোর্ট করতে দয়া করে একটি মার্কেটপ্লেস ব্যবহারকারী হিসাবে লগইন করুন।,
 Please select <b>Template Type</b> to download template,<b>টেমপ্লেট</b> ডাউনলোড করতে দয়া করে <b>টেম্পলেট টাইপ</b> নির্বাচন করুন,
-Please select Applicant Type first,প্রথমে আবেদনকারী প্রকারটি নির্বাচন করুন,
 Please select Customer first,প্রথমে গ্রাহক নির্বাচন করুন,
 Please select Item Code first,প্রথমে আইটেম কোডটি নির্বাচন করুন,
-Please select Loan Type for company {0},দয়া করে সংস্থার জন্য anণ প্রকার নির্বাচন করুন {0,
 Please select a Delivery Note,একটি বিতরণ নোট নির্বাচন করুন,
 Please select a Sales Person for item: {0},আইটেমের জন্য দয়া করে বিক্রয় ব্যক্তি নির্বাচন করুন: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',দয়া করে অন্য একটি অর্থ প্রদানের পদ্ধতি নির্বাচন করুন। ডোরা মুদ্রায় লেনদেন অবলম্বন পাওয়া যায়নি &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},দয়া করে সংস্থার জন্য একটি ডিফল্ট ব্যাংক অ্যাকাউন্ট সেটআপ করুন {0},
 Please specify,অনুগ্রহ করে নির্দিষ্ট করুন,
 Please specify a {0},দয়া করে একটি {0} নির্দিষ্ট করুন,lead
-Pledge Status,অঙ্গীকার স্থিতি,
-Pledge Time,প্রতিশ্রুতি সময়,
 Printing,মুদ্রণ,
 Priority,অগ্রাধিকার,
 Priority has been changed to {0}.,অগ্রাধিকার পরিবর্তন করে {0} করা হয়েছে},
@@ -3944,7 +3908,6 @@
 Processing XML Files,এক্সএমএল ফাইলগুলি প্রক্রিয়া করা হচ্ছে,
 Profitability,লাভযোগ্যতা,
 Project,প্রকল্প,
-Proposed Pledges are mandatory for secured Loans,সুরক্ষিত forণের জন্য প্রস্তাবিত প্রতিশ্রুতি বাধ্যতামূলক,
 Provide the academic year and set the starting and ending date.,শিক্ষাগত বছর সরবরাহ করুন এবং শুরুর এবং শেষের তারিখটি সেট করুন।,
 Public token is missing for this bank,এই ব্যাংকের জন্য সর্বজনীন টোকেন অনুপস্থিত,
 Publish,প্রকাশ করা,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,ক্রয়ের রশিদে কোনও আইটেম নেই যার জন্য পুনরায় ধরে রাখার নমুনা সক্ষম করা আছে।,
 Purchase Return,ক্রয় প্রত্যাবর্তন,
 Qty of Finished Goods Item,সমাপ্ত জিনিস আইটেম পরিমাণ,
-Qty or Amount is mandatroy for loan security,পরিমাণ বা পরিমাণ loanণ সুরক্ষার জন্য মানডট্রয়,
 Quality Inspection required for Item {0} to submit,আইটেম জমা দেওয়ার জন্য গুণমান পরিদর্শন প্রয়োজন {0।,
 Quantity to Manufacture,উত্পাদন পরিমাণ,
 Quantity to Manufacture can not be zero for the operation {0},উত্পাদন পরিমাণ {0 operation অপারেশন জন্য শূন্য হতে পারে না,
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,মুক্তির তারিখ অবশ্যই যোগদানের তারিখের চেয়ে বড় বা সমান হতে হবে,
 Rename,পুনঃনামকরণ,
 Rename Not Allowed,পুনঃনামকরণ অনুমোদিত নয়,
-Repayment Method is mandatory for term loans,মেয়াদী loansণের জন্য পরিশোধের পদ্ধতি বাধ্যতামূলক,
-Repayment Start Date is mandatory for term loans,মেয়াদী loansণের জন্য পরিশোধ পরিশোধের তারিখ বাধ্যতামূলক,
 Report Item,আইটেম প্রতিবেদন করুন,
 Report this Item,এই আইটেমটি রিপোর্ট করুন,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,সাবকন্ট্রাক্টের জন্য সংরক্ষিত পরিমাণ: উপকন্ট্রাক্ট আইটেমগুলি তৈরি করতে কাঁচামাল পরিমাণ।,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},সারি ({0}): already 1 ইতিমধ্যে {2 ounted এ ছাড় রয়েছে,
 Rows Added in {0},সারিগুলি {0 in এ যুক্ত হয়েছে,
 Rows Removed in {0},সারিগুলি {0 in এ সরানো হয়েছে,
-Sanctioned Amount limit crossed for {0} {1},অনুমোদিত পরিমাণের সীমাটি {0} {1 for এর জন্য অতিক্রম করেছে,
-Sanctioned Loan Amount already exists for {0} against company {1},অনুমোদিত anণের পরিমাণ ইতিমধ্যে কোম্পানির বিরুদ্ধে {0 for এর জন্য বিদ্যমান {1},
 Save,সংরক্ষণ,
 Save Item,আইটেম সংরক্ষণ করুন,
 Saved Items,সংরক্ষিত আইটেম,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,ব্যবহারকারী {0} নিষ্ক্রিয় করা হয়,
 Users and Permissions,ব্যবহারকারী এবং অনুমতি,
 Vacancies cannot be lower than the current openings,শূন্যপদগুলি বর্তমান খোলার চেয়ে কম হতে পারে না,
-Valid From Time must be lesser than Valid Upto Time.,সময় থেকে বৈধ অবধি বৈধ আপ সময়ের চেয়ে কম হতে হবে।,
 Valuation Rate required for Item {0} at row {1},আইটেম for 0 row সারিতে {1} মূল্য মূল্য নির্ধারণ করতে হবে,
 Values Out Of Sync,সিঙ্কের বাইরে মানগুলি,
 Vehicle Type is required if Mode of Transport is Road,পরিবহনের মোডটি যদি রাস্তা হয় তবে যানবাহনের প্রকারের প্রয়োজন,
@@ -4211,7 +4168,6 @@
 Add to Cart,কার্ট যোগ করুন,
 Days Since Last Order,শেষ আদেশের দিনগুলি,
 In Stock,স্টক ইন,
-Loan Amount is mandatory,Anণের পরিমাণ বাধ্যতামূলক,
 Mode Of Payment,পেমেন্ট মোড,
 No students Found,কোন ছাত্র পাওয়া যায় নি,
 Not in Stock,মজুদ নাই,
@@ -4240,7 +4196,6 @@
 Group by,গ্রুপ দ্বারা,
 In stock,স্টক ইন,
 Item name,আইটেম নাম,
-Loan amount is mandatory,Anণের পরিমাণ বাধ্যতামূলক,
 Minimum Qty,ন্যূনতম Qty,
 More details,আরো বিস্তারিত,
 Nature of Supplies,সরবরাহ প্রকৃতি,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,মোট সম্পূর্ণ পরিমাণ,
 Qty to Manufacture,উত্পাদনপ্রণালী Qty,
 Repay From Salary can be selected only for term loans,বেতন থেকে পরিশোধ কেবল মেয়াদী loansণের জন্য নির্বাচন করা যেতে পারে,
-No valid Loan Security Price found for {0},Valid 0 for এর জন্য কোনও বৈধ Loণ সুরক্ষা মূল্য পাওয়া যায়নি,
-Loan Account and Payment Account cannot be same,Accountণ অ্যাকাউন্ট এবং পেমেন্ট অ্যাকাউন্ট এক হতে পারে না,
-Loan Security Pledge can only be created for secured loans,সুরক্ষিত onlyণের জন্য Securityণ সুরক্ষা প্রতিশ্রুতি তৈরি করা যেতে পারে,
 Social Media Campaigns,সামাজিক মিডিয়া প্রচারণা,
 From Date can not be greater than To Date,তারিখ থেকে তারিখের চেয়ে বড় হতে পারে না,
 Please set a Customer linked to the Patient,দয়া করে রোগীর সাথে সংযুক্ত কোনও গ্রাহক সেট করুন,
@@ -6437,7 +6389,6 @@
 HR User,এইচআর ব্যবহারকারী,
 Appointment Letter,নিয়োগপত্র,
 Job Applicant,কাজ আবেদনকারী,
-Applicant Name,আবেদনকারীর নাম,
 Appointment Date,সাক্ষাৎকারের তারিখ,
 Appointment Letter Template,অ্যাপয়েন্টমেন্ট লেটার টেম্পলেট,
 Body,শরীর,
@@ -7059,99 +7010,12 @@
 Sync in Progress,অগ্রগতিতে সিঙ্ক,
 Hub Seller Name,হাব বিক্রেতা নাম,
 Custom Data,কাস্টম ডেটা,
-Member,সদস্য,
-Partially Disbursed,আংশিকভাবে বিতরণ,
-Loan Closure Requested,Cণ বন্ধের অনুরোধ করা হয়েছে,
 Repay From Salary,বেতন থেকে শুধা,
-Loan Details,ঋণ বিবরণ,
-Loan Type,ঋণ প্রকার,
-Loan Amount,ঋণের পরিমাণ,
-Is Secured Loan,সুরক্ষিত .ণ,
-Rate of Interest (%) / Year,ইন্টারেস্ট (%) / বর্ষসেরা হার,
-Disbursement Date,ব্যয়ন তারিখ,
-Disbursed Amount,বিতরণকৃত পরিমাণ,
-Is Term Loan,ইজ টার্ম লোন,
-Repayment Method,পরিশোধ পদ্ধতি,
-Repay Fixed Amount per Period,শোধ সময়কাল প্রতি নির্দিষ্ট পরিমাণ,
-Repay Over Number of Periods,শোধ ওভার পর্যায়কাল সংখ্যা,
-Repayment Period in Months,মাস মধ্যে ঋণ পরিশোধের সময় সীমা,
-Monthly Repayment Amount,মাসিক পরিশোধ পরিমাণ,
-Repayment Start Date,ফেরত শুরুর তারিখ,
-Loan Security Details,Securityণ সুরক্ষা বিবরণ,
-Maximum Loan Value,সর্বাধিক .ণের মান,
-Account Info,অ্যাকাউন্ট তথ্য,
-Loan Account,ঋণ অ্যাকাউন্ট,
-Interest Income Account,সুদ আয় অ্যাকাউন্ট,
-Penalty Income Account,পেনাল্টি আয় অ্যাকাউন্ট,
-Repayment Schedule,ঋণ পরিশোধের সময় নির্ধারণ,
-Total Payable Amount,মোট প্রদেয় টাকার পরিমাণ,
-Total Principal Paid,মোট অধ্যক্ষ প্রদেয়,
-Total Interest Payable,প্রদেয় মোট সুদ,
-Total Amount Paid,মোট পরিমাণ পরিশোধ,
-Loan Manager,Managerণ ব্যবস্থাপক,
-Loan Info,ঋণ তথ্য,
-Rate of Interest,সুদের হার,
-Proposed Pledges,প্রস্তাবিত প্রতিশ্রুতি,
-Maximum Loan Amount,সর্বোচ্চ ঋণের পরিমাণ,
-Repayment Info,ঋণ পরিশোধের তথ্য,
-Total Payable Interest,মোট প্রদেয় সুদের,
-Against Loan ,Anণের বিপরীতে,
-Loan Interest Accrual,Interestণের সুদের পরিমাণ,
-Amounts,রাশি,
-Pending Principal Amount,মুলতুবি অধ্যক্ষের পরিমাণ,
-Payable Principal Amount,প্রদেয় অধ্যক্ষের পরিমাণ,
-Paid Principal Amount,প্রদত্ত অধ্যক্ষের পরিমাণ,
-Paid Interest Amount,প্রদত্ত সুদের পরিমাণ,
-Process Loan Interest Accrual,প্রক্রিয়া Interestণ সুদের আদায়,
-Repayment Schedule Name,পরিশোধের সময়সূচীর নাম,
 Regular Payment,নিয়মিত পেমেন্ট,
 Loan Closure,Cণ বন্ধ,
-Payment Details,অর্থ প্রদানের বিবরণ,
-Interest Payable,প্রদেয় সুদ,
-Amount Paid,পরিমাণ অর্থ প্রদান করা,
-Principal Amount Paid,অধ্যক্ষের পরিমাণ পরিশোধিত,
-Repayment Details,Ayণ পরিশোধের বিশদ,
-Loan Repayment Detail,Repণ পরিশোধের বিশদ,
-Loan Security Name,Securityণ সুরক্ষার নাম,
-Unit Of Measure,পরিমাপের একক,
-Loan Security Code,Securityণ সুরক্ষা কোড,
-Loan Security Type,Securityণ সুরক্ষা প্রকার,
-Haircut %,কেশকর্তন %,
-Loan  Details,.ণের বিশদ,
-Unpledged,অপ্রতিশ্রুতিবদ্ধ,
-Pledged,প্রতিশ্রুত,
-Partially Pledged,আংশিক প্রতিশ্রুতিবদ্ধ,
-Securities,সিকিউরিটিজ,
-Total Security Value,মোট সুরক্ষা মান,
-Loan Security Shortfall,Securityণ সুরক্ষার ঘাটতি,
-Loan ,ঋণ,
-Shortfall Time,সংক্ষিপ্ত সময়ের,
-America/New_York,আমেরিকা / New_York,
-Shortfall Amount,সংক্ষিপ্ত পরিমাণ,
-Security Value ,সুরক্ষা মান,
-Process Loan Security Shortfall,প্রক্রিয়া Securityণ সুরক্ষা ঘাটতি,
-Loan To Value Ratio,মূল্য অনুপাত Loণ,
-Unpledge Time,আনপ্লেজ সময়,
-Loan Name,ঋণ নাম,
 Rate of Interest (%) Yearly,সুদের হার (%) বাত্সরিক,
-Penalty Interest Rate (%) Per Day,পেনাল্টি সুদের হার (%) প্রতি দিন,
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,বিলম্বিত ayণ পরিশোধের ক্ষেত্রে পেনাল্টি সুদের হার দৈনিক ভিত্তিতে মুলতুবি সুদের পরিমাণের উপর ধার্য করা হয়,
-Grace Period in Days,দিনগুলিতে গ্রেস পিরিয়ড,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,নির্ধারিত তারিখ থেকে দিন পর্যন্ত penaltyণ পরিশোধে বিলম্বের ক্ষেত্রে জরিমানা আদায় করা হবে না,
-Pledge,অঙ্গীকার,
-Post Haircut Amount,চুল কাটার পরিমাণ পোস্ট করুন,
-Process Type,প্রক্রিয়া প্রকার,
-Update Time,আপডেটের সময়,
-Proposed Pledge,প্রস্তাবিত প্রতিশ্রুতি,
-Total Payment,মোট পরিশোধ,
-Balance Loan Amount,ব্যালেন্স ঋণের পরিমাণ,
-Is Accrued,জমা হয়,
 Salary Slip Loan,বেতন স্লিপ ঋণ,
 Loan Repayment Entry,Anণ পরিশোধের প্রবেশ,
-Sanctioned Loan Amount,অনুমোদিত anণের পরিমাণ,
-Sanctioned Amount Limit,অনুমোদিত পরিমাণ সীমা,
-Unpledge,Unpledge,
-Haircut,কেশকর্তন,
 MAT-MSH-.YYYY.-,Mat-msh-.YYYY.-,
 Generate Schedule,সূচি নির্মাণ,
 Schedules,সূচী,
@@ -7885,7 +7749,6 @@
 Update Series,আপডেট সিরিজ,
 Change the starting / current sequence number of an existing series.,একটি বিদ্যমান সিরিজের শুরু / বর্তমান ক্রম সংখ্যা পরিবর্তন করুন.,
 Prefix,উপসর্গ,
-Current Value,বর্তমান মূল্য,
 This is the number of the last created transaction with this prefix,এই উপসর্গবিশিষ্ট সর্বশেষ নির্মিত লেনদেনের সংখ্যা,
 Update Series Number,আপডেট সিরিজ সংখ্যা,
 Quotation Lost Reason,উদ্ধৃতি লস্ট কারণ,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise রেকর্ডার শ্রেনী প্রস্তাবিত,
 Lead Details,সীসা বিবরণ,
 Lead Owner Efficiency,লিড মালিক দক্ষতা,
-Loan Repayment and Closure,Anণ পরিশোধ এবং বন্ধ,
-Loan Security Status,Securityণের সুরক্ষা স্থিতি,
 Lost Opportunity,হারানো সুযোগ,
 Maintenance Schedules,রক্ষণাবেক্ষণ সময়সূচী,
 Material Requests for which Supplier Quotations are not created,"সরবরাহকারী এবার তৈরি করা যাবে না, যার জন্য উপাদান অনুরোধ",
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},লক্ষ্য হিসাবে গণনা: {0},
 Payment Account is mandatory,পেমেন্ট অ্যাকাউন্ট বাধ্যতামূলক,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","যদি যাচাই করা হয়, কোনও ঘোষণা বা প্রমাণ জমা না দিয়ে আয়কর গণনার আগে করযোগ্য আয় থেকে পুরো পরিমাণটি কেটে নেওয়া হবে।",
-Disbursement Details,বিতরণ বিশদ,
 Material Request Warehouse,উপাদান অনুরোধ গুদাম,
 Select warehouse for material requests,উপাদান অনুরোধের জন্য গুদাম নির্বাচন করুন,
 Transfer Materials For Warehouse {0},গুদাম {0 For জন্য উপাদান স্থানান্তর,
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,বেতন থেকে দায়হীন পরিমাণ পরিশোধ করুন ay,
 Deduction from salary,বেতন থেকে ছাড়,
 Expired Leaves,মেয়াদ শেষ হয়ে গেছে,
-Reference No,রেফারেন্স নং,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,চুল কাটা শতাংশ হ&#39;ল Securityণ সুরক্ষার বাজার মূল্য এবং সেই Securityণ সুরক্ষার জন্য স্বীকৃত মানের মধ্যে loan শতাংশের পার্থক্য যখন loanণের জন্য জামানত হিসাবে ব্যবহৃত হয়।,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,Toণ থেকে মূল্য অনুপাতটি প্রতিশ্রুতিবদ্ধ জামানতের মান হিসাবে loanণের পরিমাণের অনুপাত প্রকাশ করে। যদি এটি কোনও loanণের জন্য নির্দিষ্ট মূল্যের নিচে পড়ে তবে একটি loanণ সুরক্ষার ঘাটতি সৃষ্টি হবে,
 If this is not checked the loan by default will be considered as a Demand Loan,এটি যদি চেক না করা হয় তবে ডিফল্ট হিসাবে loanণকে ডিমান্ড anণ হিসাবে বিবেচনা করা হবে,
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,এই অ্যাকাউন্টটি orণগ্রহীতা থেকে repণ পরিশোধের বুকিং এবং orণগ্রহীতাকে loansণ বিতরণের জন্য ব্যবহৃত হয়,
 This account is capital account which is used to allocate capital for loan disbursal account ,এই অ্যাকাউন্টটি মূলধন অ্যাকাউন্ট যা disণ বিতরণ অ্যাকাউন্টের জন্য মূলধন বরাদ্দ করতে ব্যবহৃত হয়,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},অপারেশন {0 the কাজের আদেশের সাথে সম্পর্কিত নয় {1},
 Print UOM after Quantity,পরিমাণের পরে ইউওএম প্রিন্ট করুন,
 Set default {0} account for perpetual inventory for non stock items,স্টক নন আইটেমগুলির জন্য স্থায়ী ইনভেন্টরির জন্য ডিফল্ট {0} অ্যাকাউন্ট সেট করুন,
-Loan Security {0} added multiple times,Securityণ সুরক্ষা {0 multiple একাধিকবার যুক্ত হয়েছে,
-Loan Securities with different LTV ratio cannot be pledged against one loan,বিভিন্ন এলটিভি অনুপাত সহ anণ সিকিওরিটিগুলি একটি againstণের বিপরীতে প্রতিজ্ঞা করা যায় না,
-Qty or Amount is mandatory for loan security!,Loanণ সুরক্ষার জন্য পরিমাণ বা পরিমাণ বাধ্যতামূলক!,
-Only submittted unpledge requests can be approved,কেবল জমা দেওয়া আনপ্লেজ অনুরোধগুলি অনুমোদিত হতে পারে,
-Interest Amount or Principal Amount is mandatory,সুদের পরিমাণ বা প্রধান পরিমাণ বাধ্যতামূলক,
-Disbursed Amount cannot be greater than {0},বিতরণকৃত পরিমাণ {0 than এর চেয়ে বেশি হতে পারে না,
-Row {0}: Loan Security {1} added multiple times,সারি {0}: Securityণ সুরক্ষা {1 multiple একাধিকবার যুক্ত হয়েছে,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,সারি # {0}: শিশু আইটেম কোনও পণ্য বান্ডেল হওয়া উচিত নয়। আইটেম remove 1 remove এবং সংরক্ষণ করুন দয়া করে,
 Credit limit reached for customer {0},গ্রাহকের জন্য Creditণ সীমা পৌঁছেছে {0},
 Could not auto create Customer due to the following missing mandatory field(s):,নিম্নলিখিত অনুপস্থিত বাধ্যতামূলক ক্ষেত্রগুলির কারণে গ্রাহককে স্বয়ংক্রিয় তৈরি করতে পারেনি:,
diff --git a/erpnext/translations/bs.csv b/erpnext/translations/bs.csv
index 8af5475..7b01c27 100644
--- a/erpnext/translations/bs.csv
+++ b/erpnext/translations/bs.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Primjenjivo ako je tvrtka SpA, SApA ili SRL",
 Applicable if the company is a limited liability company,Primjenjivo ako je društvo s ograničenom odgovornošću,
 Applicable if the company is an Individual or a Proprietorship,Primjenjivo ako je kompanija fizička osoba ili vlasništvo,
-Applicant,Podnosilac prijave,
-Applicant Type,Tip podnosioca zahteva,
 Application of Funds (Assets),Primjena sredstava ( aktiva ),
 Application period cannot be across two allocation records,Period primene ne može biti preko dve evidencije alokacije,
 Application period cannot be outside leave allocation period,Period aplikacija ne može biti razdoblje raspodjele izvan odsustva,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Spisak dostupnih akcionara sa brojevima folije,
 Loading Payment System,Uplata platnog sistema,
 Loan,Loan,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Iznos kredita ne može biti veći od Maksimalni iznos kredita od {0},
-Loan Application,Aplikacija za kredit,
-Loan Management,Upravljanje zajmovima,
-Loan Repayment,Otplata kredita,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Datum početka i Period zajma su obavezni da biste spremili popust na računu,
 Loans (Liabilities),Zajmovi (pasiva),
 Loans and Advances (Assets),Zajmovi i predujmovi (aktiva),
@@ -1611,7 +1605,6 @@
 Monday,Ponedjeljak,
 Monthly,Mjesečno,
 Monthly Distribution,Mjesečni Distribucija,
-Monthly Repayment Amount cannot be greater than Loan Amount,Mjesečna otplate iznos ne može biti veći od iznos kredita,
 More,Više,
 More Information,Više informacija,
 More than one selection for {0} not allowed,Više od jednog izbora za {0} nije dozvoljeno,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Plaćajte {0} {1},
 Payable,Plativ,
 Payable Account,Račun se plaća,
-Payable Amount,Iznos koji treba platiti,
 Payment,Plaćanje,
 Payment Cancelled. Please check your GoCardless Account for more details,Plaćanje je otkazano. Molimo provjerite svoj GoCardless račun za više detalja,
 Payment Confirmation,Potvrda o plaćanju,
-Payment Date,Datum plaćanja,
 Payment Days,Plaćanja Dana,
 Payment Document,plaćanje Document,
 Payment Due Date,Plaćanje Due Date,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,Molimo prvo unesite Kupovina prijem,
 Please enter Receipt Document,Unesite dokument o prijemu,
 Please enter Reference date,Unesite referentni datum,
-Please enter Repayment Periods,Unesite rokovi otplate,
 Please enter Reqd by Date,Molimo unesite Reqd po datumu,
 Please enter Woocommerce Server URL,Molimo unesite URL adresu Woocommerce Servera,
 Please enter Write Off Account,Unesite otpis račun,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,Unesite roditelj troška,
 Please enter quantity for Item {0},Molimo unesite količinu za točku {0},
 Please enter relieving date.,Unesite olakšavanja datum .,
-Please enter repayment Amount,Unesite iznos otplate,
 Please enter valid Financial Year Start and End Dates,Molimo vas da unesete važeću finansijsku godinu datume početka i završetka,
 Please enter valid email address,Molimo vas da unesete važeću e-mail adresu,
 Please enter {0} first,Unesite {0} prvi,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Pravilnik o određivanju cijena dodatno se filtrira na temelju količine.,
 Primary Address Details,Primarne adrese,
 Primary Contact Details,Primarni kontakt podaci,
-Principal Amount,iznos glavnice,
 Print Format,Format ispisa,
 Print IRS 1099 Forms,Ispiši obrasce IRS 1099,
 Print Report Card,Štampaj izveštaj karticu,
@@ -2550,7 +2538,6 @@
 Sample Collection,Prikupljanje uzoraka,
 Sample quantity {0} cannot be more than received quantity {1},Količina uzorka {0} ne može biti veća od primljene količine {1},
 Sanctioned,sankcionisani,
-Sanctioned Amount,Iznos kažnjeni,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sankcionisano Iznos ne može biti veći od potraživanja Iznos u nizu {0}.,
 Sand,Pesak,
 Saturday,Subota,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} već ima roditeljsku proceduru {1}.,
 API,API,
 Annual,godišnji,
-Approved,Odobreno,
 Change,Promjena,
 Contact Email,Kontakt email,
 Export Type,Tip izvoza,
@@ -3571,7 +3557,6 @@
 Account Value,Vrijednost računa,
 Account is mandatory to get payment entries,Račun je obavezan za unos plaćanja,
 Account is not set for the dashboard chart {0},Za grafikon nadzorne ploče nije postavljen račun {0},
-Account {0} does not belong to company {1},Konto {0} ne pripada preduzeću {1},
 Account {0} does not exists in the dashboard chart {1},Račun {0} ne postoji u grafikonu nadzorne ploče {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Račun: <b>{0}</b> je kapital Ne radi se i ne može se ažurirati unos u časopisu,
 Account: {0} is not permitted under Payment Entry,Račun: {0} nije dozvoljen unosom plaćanja,
@@ -3582,7 +3567,6 @@
 Activity,Aktivnost,
 Add / Manage Email Accounts.,Dodaj / Upravljanje Email Accounts.,
 Add Child,Dodaj podređenu stavku,
-Add Loan Security,Dodajte osiguranje kredita,
 Add Multiple,dodavanje više,
 Add Participants,Dodajte Učesnike,
 Add to Featured Item,Dodaj u istaknuti artikl,
@@ -3593,15 +3577,12 @@
 Address Line 1,Adresa - linija 1,
 Addresses,Adrese,
 Admission End Date should be greater than Admission Start Date.,Datum završetka prijema trebao bi biti veći od datuma početka upisa.,
-Against Loan,Protiv zajma,
-Against Loan:,Protiv zajma:,
 All,Sve,
 All bank transactions have been created,Sve bankarske transakcije su stvorene,
 All the depreciations has been booked,Sve amortizacije su knjižene,
 Allocation Expired!,Raspored je istekao!,
 Allow Resetting Service Level Agreement from Support Settings.,Dopustite resetiranje sporazuma o nivou usluge iz postavki podrške.,
 Amount of {0} is required for Loan closure,Za zatvaranje zajma potreban je iznos {0},
-Amount paid cannot be zero,Plaćeni iznos ne može biti nula,
 Applied Coupon Code,Primenjeni kod kupona,
 Apply Coupon Code,Primijenite kupon kod,
 Appointment Booking,Rezervacija termina,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,Ne mogu izračunati vrijeme dolaska jer nedostaje adresa vozača.,
 Cannot Optimize Route as Driver Address is Missing.,Ruta ne može da se optimizira jer nedostaje adresa vozača.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Ne mogu dovršiti zadatak {0} jer njegov ovisni zadatak {1} nije dovršen / otkazan.,
-Cannot create loan until application is approved,Nije moguće kreiranje zajma dok aplikacija ne bude odobrena,
 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}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Ne mogu se preplatiti za stavku {0} u redu {1} više od {2}. Da biste omogućili prekomerno naplaćivanje, molimo postavite dodatak u Postavkama računa",
 "Capacity Planning Error, planned start time can not be same as end time","Pogreška planiranja kapaciteta, planirano vrijeme početka ne može biti isto koliko i vrijeme završetka",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Manje od iznosa,
 Liabilities,Obaveze,
 Loading...,Učitavanje ...,
-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,
 Loan Applications from customers and employees.,Prijave za zajmove od kupaca i zaposlenih.,
-Loan Disbursement,Isplata zajma,
 Loan Processes,Procesi zajma,
-Loan Security,Zajam zajma,
-Loan Security Pledge,Zalog za zajam kredita,
-Loan Security Pledge Created : {0},Stvoreno jamstvo zajma: {0},
-Loan Security Price,Cijena garancije zajma,
-Loan Security Price overlapping with {0},Cijena osiguranja zajma se preklapa s {0},
-Loan Security Unpledge,Bez plaćanja zajma,
-Loan Security Value,Vrijednost zajma kredita,
 Loan Type for interest and penalty rates,Vrsta kredita za kamate i zatezne stope,
-Loan amount cannot be greater than {0},Iznos zajma ne može biti veći od {0},
-Loan is mandatory,Zajam je obavezan,
 Loans,Krediti,
 Loans provided to customers and employees.,Krediti kupcima i zaposlenima.,
 Location,Lokacija,
@@ -3894,7 +3863,6 @@
 Pay,Platiti,
 Payment Document Type,Vrsta dokumenta plaćanja,
 Payment Name,Naziv plaćanja,
-Penalty Amount,Iznos kazne,
 Pending,Čekanje,
 Performance,Performanse,
 Period based On,Period zasnovan na,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,Prijavite se kao Korisnik Marketplace-a da biste uredili ovu stavku.,
 Please login as a Marketplace User to report this item.,Prijavite se kao korisnik Marketplacea kako biste prijavili ovu stavku.,
 Please select <b>Template Type</b> to download template,Molimo odaberite <b>Vrsta predloška</b> za preuzimanje predloška,
-Please select Applicant Type first,Prvo odaberite vrstu prijavitelja,
 Please select Customer first,Prvo odaberite kupca,
 Please select Item Code first,Prvo odaberite šifru predmeta,
-Please select Loan Type for company {0},Molimo odaberite vrstu kredita za kompaniju {0},
 Please select a Delivery Note,Odaberite bilješku o dostavi,
 Please select a Sales Person for item: {0},Izaberite prodajnu osobu za predmet: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Odaberite drugi način plaćanja. Pruga ne podržava transakcije u valuti &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Postavite zadani bankovni račun za kompaniju {0},
 Please specify,Navedite,
 Please specify a {0},Navedite {0},lead
-Pledge Status,Status zaloga,
-Pledge Time,Vreme zaloga,
 Printing,Štampanje,
 Priority,Prioritet,
 Priority has been changed to {0}.,Prioritet je promijenjen u {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Obrada XML datoteka,
 Profitability,Profitabilnost,
 Project,Projekat,
-Proposed Pledges are mandatory for secured Loans,Predložene zaloge su obavezne za osigurane zajmove,
 Provide the academic year and set the starting and ending date.,Navedite akademsku godinu i postavite datum početka i završetka.,
 Public token is missing for this bank,Javni token nedostaje za ovu banku,
 Publish,Objavite,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Kupoprodajna potvrda nema stavku za koju je omogućen zadržati uzorak.,
 Purchase Return,Kupnja Povratak,
 Qty of Finished Goods Item,Količina proizvoda gotove robe,
-Qty or Amount is mandatroy for loan security,Količina ili iznos je mandatroy za osiguranje kredita,
 Quality Inspection required for Item {0} to submit,Inspekcija kvaliteta potrebna za podnošenje predmeta {0},
 Quantity to Manufacture,Količina za proizvodnju,
 Quantity to Manufacture can not be zero for the operation {0},Količina za proizvodnju ne može biti nula za operaciju {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Datum oslobađanja mora biti veći ili jednak datumu pridruživanja,
 Rename,preimenovati,
 Rename Not Allowed,Preimenovanje nije dozvoljeno,
-Repayment Method is mandatory for term loans,Način otplate je obavezan za oročene kredite,
-Repayment Start Date is mandatory for term loans,Datum početka otplate je obavezan za oročene kredite,
 Report Item,Izvještaj,
 Report this Item,Prijavi ovu stavku,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Količina rezervisanog za podugovor: Količina sirovina za izradu predmeta koji su predmet podugovora.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Red ({0}): {1} već je diskontiran u {2},
 Rows Added in {0},Redovi dodani u {0},
 Rows Removed in {0},Redovi su uklonjeni za {0},
-Sanctioned Amount limit crossed for {0} {1},Granica sankcionisanog iznosa pređena za {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},Već postoji sankcionirani iznos zajma za {0} protiv kompanije {1},
 Save,Snimi,
 Save Item,Spremi stavku,
 Saved Items,Spremljene stavke,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Korisnik {0} je onemogućen,
 Users and Permissions,Korisnici i dozvole,
 Vacancies cannot be lower than the current openings,Slobodna radna mjesta ne mogu biti niža od postojećih,
-Valid From Time must be lesser than Valid Upto Time.,Vrijedi od vremena mora biti kraće od Važećeg vremena uputa.,
 Valuation Rate required for Item {0} at row {1},Stopa vrednovanja potrebna za poziciju {0} u retku {1},
 Values Out Of Sync,Vrijednosti van sinkronizacije,
 Vehicle Type is required if Mode of Transport is Road,Vrsta vozila je obavezna ako je način prevoza cestovni,
@@ -4211,7 +4168,6 @@
 Add to Cart,Dodaj u košaricu,
 Days Since Last Order,Dani od poslednje narudžbe,
 In Stock,U Stock,
-Loan Amount is mandatory,Iznos zajma je obavezan,
 Mode Of Payment,Način plaćanja,
 No students Found,Nije pronađen nijedan student,
 Not in Stock,Nije raspoloživo,
@@ -4240,7 +4196,6 @@
 Group by,Group By,
 In stock,Na zalihama,
 Item name,Naziv artikla,
-Loan amount is mandatory,Iznos zajma je obavezan,
 Minimum Qty,Minimalni količina,
 More details,Više informacija,
 Nature of Supplies,Nature of Supplies,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Ukupno završeno Količina,
 Qty to Manufacture,Količina za proizvodnju,
 Repay From Salary can be selected only for term loans,Otplata plaće može se odabrati samo za oročene kredite,
-No valid Loan Security Price found for {0},Nije pronađena valjana cijena osiguranja zajma za {0},
-Loan Account and Payment Account cannot be same,Račun zajma i račun za plaćanje ne mogu biti isti,
-Loan Security Pledge can only be created for secured loans,Zalog osiguranja kredita može se stvoriti samo za osigurane kredite,
 Social Media Campaigns,Kampanje na društvenim mrežama,
 From Date can not be greater than To Date,Od datuma ne može biti veći od datuma,
 Please set a Customer linked to the Patient,Postavite kupca povezanog s pacijentom,
@@ -6437,7 +6389,6 @@
 HR User,HR korisnika,
 Appointment Letter,Pismo o imenovanju,
 Job Applicant,Posao podnositelj,
-Applicant Name,Podnositelj zahtjeva Ime,
 Appointment Date,Datum imenovanja,
 Appointment Letter Template,Predložak pisma o imenovanju,
 Body,Telo,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Sinhronizacija u toku,
 Hub Seller Name,Hub Ime prodavca,
 Custom Data,Korisnički podaci,
-Member,Član,
-Partially Disbursed,djelomično Isplaćeno,
-Loan Closure Requested,Zatraženo zatvaranje zajma,
 Repay From Salary,Otplatiti iz Plata,
-Loan Details,kredit Detalji,
-Loan Type,Vrsta kredita,
-Loan Amount,Iznos kredita,
-Is Secured Loan,Zajam je osiguran,
-Rate of Interest (%) / Year,Kamatnu stopu (%) / godina,
-Disbursement Date,datuma isplate,
-Disbursed Amount,Izplaćena suma,
-Is Term Loan,Term zajam,
-Repayment Method,otplata Način,
-Repay Fixed Amount per Period,Otplatiti fiksni iznos po periodu,
-Repay Over Number of Periods,Otplatiti Preko broj perioda,
-Repayment Period in Months,Rok otplate u mjesecima,
-Monthly Repayment Amount,Mjesečna otplate Iznos,
-Repayment Start Date,Datum početka otplate,
-Loan Security Details,Pojedinosti o zajmu,
-Maximum Loan Value,Maksimalna vrijednost zajma,
-Account Info,Account Info,
-Loan Account,Račun zajma,
-Interest Income Account,Prihod od kamata računa,
-Penalty Income Account,Račun primanja penala,
-Repayment Schedule,otplata Raspored,
-Total Payable Amount,Ukupan iznos,
-Total Principal Paid,Ukupno plaćeno glavnice,
-Total Interest Payable,Ukupno kamata,
-Total Amount Paid,Ukupan iznos plaćen,
-Loan Manager,Menadžer kredita,
-Loan Info,kredit Info,
-Rate of Interest,Kamatna stopa,
-Proposed Pledges,Predložena obećanja,
-Maximum Loan Amount,Maksimalni iznos kredita,
-Repayment Info,otplata Info,
-Total Payable Interest,Ukupno plaćaju interesa,
-Against Loan ,Protiv zajma,
-Loan Interest Accrual,Prihodi od kamata na zajmove,
-Amounts,Iznosi,
-Pending Principal Amount,Na čekanju glavni iznos,
-Payable Principal Amount,Plativi glavni iznos,
-Paid Principal Amount,Plaćeni iznos glavnice,
-Paid Interest Amount,Iznos plaćene kamate,
-Process Loan Interest Accrual,Proces obračuna kamata na zajmove,
-Repayment Schedule Name,Naziv rasporeda otplate,
 Regular Payment,Redovna uplata,
 Loan Closure,Zatvaranje zajma,
-Payment Details,Detalji plaćanja,
-Interest Payable,Kamata se plaća,
-Amount Paid,Plaćeni iznos,
-Principal Amount Paid,Iznos glavnice,
-Repayment Details,Detalji otplate,
-Loan Repayment Detail,Detalji otplate zajma,
-Loan Security Name,Naziv osiguranja zajma,
-Unit Of Measure,Jedinica mjere,
-Loan Security Code,Kôd za sigurnost kredita,
-Loan Security Type,Vrsta osiguranja zajma,
-Haircut %,Šišanje%,
-Loan  Details,Detalji o zajmu,
-Unpledged,Nepotpunjeno,
-Pledged,Založeno,
-Partially Pledged,Djelomično založeno,
-Securities,Hartije od vrednosti,
-Total Security Value,Ukupna vrednost sigurnosti,
-Loan Security Shortfall,Nedostatak osiguranja zajma,
-Loan ,Loan,
-Shortfall Time,Vreme kraćenja,
-America/New_York,Amerika / New_York,
-Shortfall Amount,Iznos manjka,
-Security Value ,Vrijednost sigurnosti,
-Process Loan Security Shortfall,Nedostatak sigurnosti zajma u procesu,
-Loan To Value Ratio,Odnos zajma do vrijednosti,
-Unpledge Time,Vreme odvrtanja,
-Loan Name,kredit ime,
 Rate of Interest (%) Yearly,Kamatnu stopu (%) Godišnji,
-Penalty Interest Rate (%) Per Day,Kamatna stopa (%) po danu,
-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,
-Grace Period in Days,Grace period u danima,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,Broj dana od datuma dospijeća do kojeg se kazna neće naplatiti u slučaju kašnjenja u otplati kredita,
-Pledge,Zalog,
-Post Haircut Amount,Iznos pošiljanja frizure,
-Process Type,Tip procesa,
-Update Time,Vreme ažuriranja,
-Proposed Pledge,Predloženo založno pravo,
-Total Payment,Ukupna uplata,
-Balance Loan Amount,Balance Iznos kredita,
-Is Accrued,Je nagomilano,
 Salary Slip Loan,Loan Slip Loan,
 Loan Repayment Entry,Otplata zajma,
-Sanctioned Loan Amount,Iznos sankcije zajma,
-Sanctioned Amount Limit,Limitirani iznos ograničenja,
-Unpledge,Unpledge,
-Haircut,Šišanje,
 MAT-MSH-.YYYY.-,MAT-MSH-YYYY.-,
 Generate Schedule,Generiranje Raspored,
 Schedules,Rasporedi,
@@ -7885,7 +7749,6 @@
 Update Series,Update serija,
 Change the starting / current sequence number of an existing series.,Promjena polaznu / tekući redni broj postojeće serije.,
 Prefix,Prefiks,
-Current Value,Trenutna vrijednost,
 This is the number of the last created transaction with this prefix,To je broj zadnjeg stvorio transakcije s ovim prefiksom,
 Update Series Number,Update serije Broj,
 Quotation Lost Reason,Razlog nerealizirane ponude,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise Preporučio redoslijeda Level,
 Lead Details,Detalji potenciajalnog kupca,
 Lead Owner Efficiency,Lead Vlasnik efikasnost,
-Loan Repayment and Closure,Otplata i zatvaranje zajma,
-Loan Security Status,Status osiguranja kredita,
 Lost Opportunity,Izgubljena prilika,
 Maintenance Schedules,Rasporedi održavanja,
 Material Requests for which Supplier Quotations are not created,Materijalni Zahtjevi za koje Supplier Citati nisu stvorene,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Broj ciljanih brojeva: {0},
 Payment Account is mandatory,Račun za plaćanje je obavezan,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Ako se označi, puni iznos odbit će se od oporezivog dohotka prije izračuna poreza na dohodak bez ikakve izjave ili podnošenja dokaza.",
-Disbursement Details,Detalji isplate,
 Material Request Warehouse,Skladište zahtjeva za materijalom,
 Select warehouse for material requests,Odaberite skladište za zahtjeve za materijalom,
 Transfer Materials For Warehouse {0},Transfer materijala za skladište {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Otplatite neiskorišteni iznos iz plate,
 Deduction from salary,Odbitak od plate,
 Expired Leaves,Isteklo lišće,
-Reference No,Referenca br,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,Procenat šišanja je procentualna razlika između tržišne vrijednosti zajma zajma i vrijednosti koja se pripisuje tom zajmu kada se koristi kao kolateral za taj zajam.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,Odnos zajma i vrijednosti izražava odnos iznosa zajma prema vrijednosti založenog vrijednosnog papira. Propust osiguranja zajma pokrenut će se ako padne ispod navedene vrijednosti za bilo koji zajam,
 If this is not checked the loan by default will be considered as a Demand Loan,"Ako ovo nije potvrđeno, zajam će se prema zadanim postavkama smatrati zajmom na zahtjev",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Ovaj račun koristi se za rezerviranje otplate zajma od zajmoprimca i za isplatu zajmova zajmoprimcu,
 This account is capital account which is used to allocate capital for loan disbursal account ,Ovaj račun je račun kapitala koji se koristi za alokaciju kapitala za račun izdvajanja kredita,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Operacija {0} ne pripada radnom nalogu {1},
 Print UOM after Quantity,Ispis UOM nakon količine,
 Set default {0} account for perpetual inventory for non stock items,Postavite zadani {0} račun za vječni inventar za stavke koje nisu na zalihi,
-Loan Security {0} added multiple times,Sigurnost kredita {0} dodana je više puta,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Garancije zajma sa različitim odnosom LTV ne mogu se založiti za jedan zajam,
-Qty or Amount is mandatory for loan security!,Količina ili iznos je obavezan za osiguranje kredita!,
-Only submittted unpledge requests can be approved,Mogu se odobriti samo podneseni zahtjevi za neupitništvo,
-Interest Amount or Principal Amount is mandatory,Iznos kamate ili iznos glavnice je obavezan,
-Disbursed Amount cannot be greater than {0},Isplaćeni iznos ne može biti veći od {0},
-Row {0}: Loan Security {1} added multiple times,Red {0}: Sigurnost zajma {1} dodan je više puta,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Redak {0}: Podređena stavka ne bi trebala biti paket proizvoda. Uklonite stavku {1} i spremite,
 Credit limit reached for customer {0},Dosegnuto kreditno ograničenje za kupca {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Nije moguće automatski kreirati kupca zbog sljedećih obaveznih polja koja nedostaju:,
diff --git a/erpnext/translations/ca.csv b/erpnext/translations/ca.csv
index 44538e9..796379c 100644
--- a/erpnext/translations/ca.csv
+++ b/erpnext/translations/ca.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Aplicable si l&#39;empresa és SpA, SApA o SRL",
 Applicable if the company is a limited liability company,Aplicable si l&#39;empresa és una societat de responsabilitat limitada,
 Applicable if the company is an Individual or a Proprietorship,Aplicable si l&#39;empresa és una persona física o privada,
-Applicant,Sol · licitant,
-Applicant Type,Tipus de sol·licitant,
 Application of Funds (Assets),Aplicació de fons (actius),
 Application period cannot be across two allocation records,El període d&#39;aplicació no pot estar en dos registres d&#39;assignació,
 Application period cannot be outside leave allocation period,Període d&#39;aplicació no pot ser període d&#39;assignació llicència fos,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Llista d&#39;accionistes disponibles amb números de foli,
 Loading Payment System,S&#39;està carregant el sistema de pagament,
 Loan,Préstec,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Suma del préstec no pot excedir quantitat màxima del préstec de {0},
-Loan Application,Sol·licitud de préstec,
-Loan Management,Gestió de préstecs,
-Loan Repayment,reemborsament dels préstecs,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,La data d’inici del préstec i el període de préstec són obligatoris per guardar el descompte de la factura,
 Loans (Liabilities),Préstecs (passius),
 Loans and Advances (Assets),Préstecs i bestretes (Actius),
@@ -1611,7 +1605,6 @@
 Monday,Dilluns,
 Monthly,Mensual,
 Monthly Distribution,Distribució mensual,
-Monthly Repayment Amount cannot be greater than Loan Amount,Quantitat Mensual La devolució no pot ser més gran que Suma del préstec,
 More,Més,
 More Information,Més informació,
 More than one selection for {0} not allowed,No s’admeten més d’una selecció per a {0},
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Pagueu {0} {1},
 Payable,Pagador,
 Payable Account,Compte per Pagar,
-Payable Amount,Import pagable,
 Payment,Pagament,
 Payment Cancelled. Please check your GoCardless Account for more details,"Pagament cancel·lat. Si us plau, consulteu el vostre compte GoCardless per obtenir més detalls",
 Payment Confirmation,Confirmació de pagament,
-Payment Date,Data de pagament,
 Payment Days,Dies de pagament,
 Payment Document,El pagament del document,
 Payment Due Date,Data de pagament,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,Si us plau primer entra el rebut de compra,
 Please enter Receipt Document,"Si us plau, introdueixi recepció de documents",
 Please enter Reference date,"Si us plau, introduïu la data de referència",
-Please enter Repayment Periods,"Si us plau, introdueixi terminis d&#39;amortització",
 Please enter Reqd by Date,Introduïu Reqd per data,
 Please enter Woocommerce Server URL,Introduïu l&#39;URL del servidor Woocommerce,
 Please enter Write Off Account,Si us plau indica el Compte d'annotació,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,"Si us plau, introduïu el centre de cost dels pares",
 Please enter quantity for Item {0},Introduïu la quantitat d'articles per {0},
 Please enter relieving date.,Please enter relieving date.,
-Please enter repayment Amount,"Si us plau, ingressi la suma d&#39;amortització",
 Please enter valid Financial Year Start and End Dates,"Si us plau, introdueixi Any vàlida Financera dates inicial i final",
 Please enter valid email address,"Si us plau, introdueixi l&#39;adreça de correu electrònic vàlida",
 Please enter {0} first,"Si us plau, introdueixi {0} primer",
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Regles de les tarifes es filtren més basat en la quantitat.,
 Primary Address Details,Detalls de l&#39;adreça principal,
 Primary Contact Details,Detalls de contacte primaris,
-Principal Amount,Suma de Capital,
 Print Format,Format d'impressió,
 Print IRS 1099 Forms,Imprimeix formularis IRS 1099,
 Print Report Card,Impressió de la targeta d&#39;informe,
@@ -2550,7 +2538,6 @@
 Sample Collection,Col.lecció de mostres,
 Sample quantity {0} cannot be more than received quantity {1},La quantitat de mostra {0} no pot ser més de la quantitat rebuda {1},
 Sanctioned,sancionada,
-Sanctioned Amount,Sanctioned Amount,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Import sancionat no pot ser major que la reclamació Quantitat a la fila {0}.,
 Sand,Sorra,
 Saturday,Dissabte,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} ja té un procediment progenitor {1}.,
 API,API,
 Annual,Anual,
-Approved,Aprovat,
 Change,Canvi,
 Contact Email,Correu electrònic de contacte,
 Export Type,Tipus d&#39;exportació,
@@ -3571,7 +3557,6 @@
 Account Value,Valor del compte,
 Account is mandatory to get payment entries,El compte és obligatori per obtenir entrades de pagament,
 Account is not set for the dashboard chart {0},El compte no està definit per al gràfic de tauler {0},
-Account {0} does not belong to company {1},El compte {0} no pertany a l'empresa {1},
 Account {0} does not exists in the dashboard chart {1},El compte {0} no existeix al gràfic de tauler {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Compte: <b>{0}</b> és un treball capital en curs i no pot ser actualitzat per Journal Entry,
 Account: {0} is not permitted under Payment Entry,Compte: {0} no està permès a l&#39;entrada de pagament,
@@ -3582,7 +3567,6 @@
 Activity,Activitat,
 Add / Manage Email Accounts.,Afegir / Administrar comptes de correu electrònic.,
 Add Child,Afegir Nen,
-Add Loan Security,Afegir seguretat de préstec,
 Add Multiple,Afegir múltiple,
 Add Participants,Afegeix participants,
 Add to Featured Item,Afegeix a l&#39;element destacat,
@@ -3593,15 +3577,12 @@
 Address Line 1,Adreça Línia 1,
 Addresses,Direccions,
 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.,
-Against Loan,Contra el préstec,
-Against Loan:,Contra el préstec:,
 All,Tots,
 All bank transactions have been created,S&#39;han creat totes les transaccions bancàries,
 All the depreciations has been booked,S&#39;han reservat totes les depreciacions,
 Allocation Expired!,Assignació caducada!,
 Allow Resetting Service Level Agreement from Support Settings.,Permet restablir l&#39;Acord de nivell de servei des de la configuració de suport.,
 Amount of {0} is required for Loan closure,Es necessita una quantitat de {0} per al tancament del préstec,
-Amount paid cannot be zero,La quantitat pagada no pot ser zero,
 Applied Coupon Code,Codi de cupó aplicat,
 Apply Coupon Code,Apliqueu el codi de cupó,
 Appointment Booking,Reserva de cites,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,No es pot calcular l&#39;hora d&#39;arribada perquè falta l&#39;adreça del conductor.,
 Cannot Optimize Route as Driver Address is Missing.,No es pot optimitzar la ruta com a adreça del conductor.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,No es pot completar / cancel·lar la tasca {0} com a tasca depenent {1}.,
-Cannot create loan until application is approved,No es pot crear préstec fins que no s&#39;aprovi l&#39;aplicació,
 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}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","No es pot generar l&#39;excés de l&#39;element {0} a la fila {1} més de {2}. Per permetre l&#39;excés de facturació, establiu la quantitat a la configuració del compte",
 "Capacity Planning Error, planned start time can not be same as end time","Error de planificació de la capacitat, l&#39;hora d&#39;inici planificada no pot ser el mateix que el de finalització",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Menys que Quantitat,
 Liabilities,Passiu,
 Loading...,Carregant ...,
-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,
 Loan Applications from customers and employees.,Sol·licituds de préstecs de clients i empleats.,
-Loan Disbursement,Desemborsament de préstecs,
 Loan Processes,Processos de préstec,
-Loan Security,Seguretat del préstec,
-Loan Security Pledge,Préstec de seguretat,
-Loan Security Pledge Created : {0},Seguretat de préstec creat: {0},
-Loan Security Price,Preu de seguretat de préstec,
-Loan Security Price overlapping with {0},Preu de seguretat de préstec sobreposat amb {0},
-Loan Security Unpledge,Desconnexió de seguretat del préstec,
-Loan Security Value,Valor de seguretat del préstec,
 Loan Type for interest and penalty rates,Tipus de préstec per als tipus d’interès i penalitzacions,
-Loan amount cannot be greater than {0},La quantitat de préstec no pot ser superior a {0},
-Loan is mandatory,El préstec és obligatori,
 Loans,Préstecs,
 Loans provided to customers and employees.,Préstecs proporcionats a clients i empleats.,
 Location,Ubicació,
@@ -3894,7 +3863,6 @@
 Pay,Pagar,
 Payment Document Type,Tipus de document de pagament,
 Payment Name,Nom de pagament,
-Penalty Amount,Import de la sanció,
 Pending,Pendent,
 Performance,Rendiment,
 Period based On,Període basat en,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,Inicieu la sessió com a usuari del Marketplace per editar aquest article.,
 Please login as a Marketplace User to report this item.,Inicieu la sessió com a usuari del Marketplace per informar d&#39;aquest article.,
 Please select <b>Template Type</b> to download template,Seleccioneu <b>Tipus de plantilla</b> per baixar la plantilla,
-Please select Applicant Type first,Seleccioneu primer el tipus d’aplicant,
 Please select Customer first,Seleccioneu primer el client,
 Please select Item Code first,Seleccioneu primer el Codi de l’element,
-Please select Loan Type for company {0},Seleccioneu Tipus de préstec per a l&#39;empresa {0},
 Please select a Delivery Note,Seleccioneu un albarà,
 Please select a Sales Person for item: {0},Seleccioneu una persona de vendes per a l&#39;article: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Si us plau seleccioneu un altre mètode de pagament. Raya no admet transaccions en moneda &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Configureu un compte bancari predeterminat per a l&#39;empresa {0},
 Please specify,"Si us plau, especifiqui",
 Please specify a {0},Especifiqueu un {0},lead
-Pledge Status,Estat de la promesa,
-Pledge Time,Temps de promesa,
 Printing,Impressió,
 Priority,Prioritat,
 Priority has been changed to {0}.,La prioritat s&#39;ha canviat a {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Processament de fitxers XML,
 Profitability,Rendibilitat,
 Project,Projecte,
-Proposed Pledges are mandatory for secured Loans,Els compromisos proposats són obligatoris per a préstecs garantits,
 Provide the academic year and set the starting and ending date.,Proporciona el curs acadèmic i estableix la data d’inici i finalització.,
 Public token is missing for this bank,Falta un testimoni públic per a aquest banc,
 Publish,Publica,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,El rebut de compra no té cap element per al qual estigui habilitat la conservació de l&#39;exemple.,
 Purchase Return,Devolució de compra,
 Qty of Finished Goods Item,Quantitat d&#39;articles de productes acabats,
-Qty or Amount is mandatroy for loan security,Quantitat o import és mandatroy per a la seguretat del préstec,
 Quality Inspection required for Item {0} to submit,Inspecció de qualitat necessària per enviar l&#39;article {0},
 Quantity to Manufacture,Quantitat a la fabricació,
 Quantity to Manufacture can not be zero for the operation {0},La quantitat a la fabricació no pot ser zero per a l&#39;operació {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,La data de alleujament ha de ser superior o igual a la data d&#39;adhesió,
 Rename,Canviar el nom,
 Rename Not Allowed,Canvia de nom no permès,
-Repayment Method is mandatory for term loans,El mètode de reemborsament és obligatori per a préstecs a termini,
-Repayment Start Date is mandatory for term loans,La data d’inici del reemborsament és obligatòria per als préstecs a termini,
 Report Item,Informe,
 Report this Item,Informa d&#39;aquest element,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Quantitat reservada per a subcontractes: quantitat de matèries primeres per fabricar articles subcontractats.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Fila ({0}): {1} ja es descompta a {2},
 Rows Added in {0},Línies afegides a {0},
 Rows Removed in {0},Línies suprimides a {0},
-Sanctioned Amount limit crossed for {0} {1},Límit de quantitat sancionat traspassat per {0} {1},
-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},
 Save,Guardar,
 Save Item,Desa l&#39;element,
 Saved Items,Elements desats,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,L'usuari {0} està deshabilitat,
 Users and Permissions,Usuaris i permisos,
 Vacancies cannot be lower than the current openings,Les places vacants no poden ser inferiors a les obertures actuals,
-Valid From Time must be lesser than Valid Upto Time.,Valid From Time ha de ser inferior al Valid Upto Time.,
 Valuation Rate required for Item {0} at row {1},Taxa de valoració necessària per a l’element {0} a la fila {1},
 Values Out Of Sync,Valors fora de sincronització,
 Vehicle Type is required if Mode of Transport is Road,El tipus de vehicle és obligatori si el mode de transport és per carretera,
@@ -4211,7 +4168,6 @@
 Add to Cart,Afegir a la cistella,
 Days Since Last Order,Dies des de la darrera comanda,
 In Stock,En estoc,
-Loan Amount is mandatory,La quantitat de préstec és obligatòria,
 Mode Of Payment,Forma de pagament,
 No students Found,No s’han trobat estudiants,
 Not in Stock,No en Stock,
@@ -4240,7 +4196,6 @@
 Group by,Agrupar per,
 In stock,En estoc,
 Item name,Nom de l'article,
-Loan amount is mandatory,La quantitat de préstec és obligatòria,
 Minimum Qty,Quantitat mínima,
 More details,Més detalls,
 Nature of Supplies,Natura dels subministraments,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Quantitat total completada,
 Qty to Manufacture,Quantitat a fabricar,
 Repay From Salary can be selected only for term loans,La devolució del salari només es pot seleccionar per a préstecs a termini,
-No valid Loan Security Price found for {0},No s&#39;ha trobat cap preu de seguretat de préstec vàlid per a {0},
-Loan Account and Payment Account cannot be same,El compte de préstec i el compte de pagament no poden ser els mateixos,
-Loan Security Pledge can only be created for secured loans,La promesa de seguretat de préstecs només es pot crear per a préstecs garantits,
 Social Media Campaigns,Campanyes de xarxes socials,
 From Date can not be greater than To Date,Des de la data no pot ser superior a fins a la data,
 Please set a Customer linked to the Patient,Configureu un client vinculat al pacient,
@@ -6437,7 +6389,6 @@
 HR User,HR User,
 Appointment Letter,Carta de cita,
 Job Applicant,Job Applicant,
-Applicant Name,Nom del sol·licitant,
 Appointment Date,Data de citació,
 Appointment Letter Template,Plantilla de carta de cites,
 Body,Cos,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Sincronització en progrés,
 Hub Seller Name,Nom del venedor del concentrador,
 Custom Data,Dades personalitzades,
-Member,Membre,
-Partially Disbursed,parcialment Desemborsament,
-Loan Closure Requested,Sol·licitud de tancament del préstec,
 Repay From Salary,Pagar del seu sou,
-Loan Details,Detalls de préstec,
-Loan Type,Tipus de préstec,
-Loan Amount,Total del préstec,
-Is Secured Loan,El préstec està garantit,
-Rate of Interest (%) / Year,Taxa d&#39;interès (%) / Any,
-Disbursement Date,Data de desemborsament,
-Disbursed Amount,Import desemborsat,
-Is Term Loan,És préstec a termini,
-Repayment Method,Mètode d&#39;amortització,
-Repay Fixed Amount per Period,Pagar una quantitat fixa per Període,
-Repay Over Number of Periods,Retornar al llarg Nombre de períodes,
-Repayment Period in Months,Termini de devolució en Mesos,
-Monthly Repayment Amount,Quantitat de pagament mensual,
-Repayment Start Date,Data d&#39;inici del reemborsament,
-Loan Security Details,Detalls de seguretat del préstec,
-Maximum Loan Value,Valor màxim del préstec,
-Account Info,Informació del compte,
-Loan Account,Compte de préstec,
-Interest Income Account,Compte d&#39;Utilitat interès,
-Penalty Income Account,Compte d&#39;ingressos sancionadors,
-Repayment Schedule,Calendari de reemborsament,
-Total Payable Amount,La quantitat total a pagar,
-Total Principal Paid,Principal principal pagat,
-Total Interest Payable,L&#39;interès total a pagar,
-Total Amount Paid,Import total pagat,
-Loan Manager,Gestor de préstecs,
-Loan Info,Informació sobre préstecs,
-Rate of Interest,Tipus d&#39;interès,
-Proposed Pledges,Promesos proposats,
-Maximum Loan Amount,La quantitat màxima del préstec,
-Repayment Info,Informació de la devolució,
-Total Payable Interest,L&#39;interès total a pagar,
-Against Loan ,Contra el préstec,
-Loan Interest Accrual,Meritació d’interès de préstec,
-Amounts,Quantitats,
-Pending Principal Amount,Import pendent principal,
-Payable Principal Amount,Import principal pagable,
-Paid Principal Amount,Import principal pagat,
-Paid Interest Amount,Import d’interès pagat,
-Process Loan Interest Accrual,Compra d’interessos de préstec de procés,
-Repayment Schedule Name,Nom de l’horari d’amortització,
 Regular Payment,Pagament regular,
 Loan Closure,Tancament del préstec,
-Payment Details,Detalls del pagament,
-Interest Payable,Interessos a pagar,
-Amount Paid,Quantitat pagada,
-Principal Amount Paid,Import principal pagat,
-Repayment Details,Detalls de la devolució,
-Loan Repayment Detail,Detall de l’amortització del préstec,
-Loan Security Name,Nom de seguretat del préstec,
-Unit Of Measure,Unitat de mesura,
-Loan Security Code,Codi de seguretat del préstec,
-Loan Security Type,Tipus de seguretat del préstec,
-Haircut %,Tall de cabell %,
-Loan  Details,Detalls del préstec,
-Unpledged,No inclòs,
-Pledged,Prometut,
-Partially Pledged,Parcialment compromès,
-Securities,Valors,
-Total Security Value,Valor de seguretat total,
-Loan Security Shortfall,Falta de seguretat del préstec,
-Loan ,Préstec,
-Shortfall Time,Temps de falta,
-America/New_York,Amèrica / New_York,
-Shortfall Amount,Import de la falta,
-Security Value ,Valor de seguretat,
-Process Loan Security Shortfall,Fallada de seguretat del préstec de procés,
-Loan To Value Ratio,Ràtio de préstec al valor,
-Unpledge Time,Temps de desunió,
-Loan Name,Nom del préstec,
 Rate of Interest (%) Yearly,Taxa d&#39;interès (%) anual,
-Penalty Interest Rate (%) Per Day,Tipus d’interès de penalització (%) per dia,
-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,
-Grace Period in Days,Període de gràcia en dies,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,Nombre de dies des de la data de venciment fins a la qual no es cobrarà cap penalització en cas de retard en la devolució del préstec,
-Pledge,Compromís,
-Post Haircut Amount,Publicar la quantitat de tall de cabell,
-Process Type,Tipus de procés,
-Update Time,Hora d’actualització,
-Proposed Pledge,Promesa proposada,
-Total Payment,El pagament total,
-Balance Loan Amount,Saldo del Préstec Monto,
-Is Accrued,Es merita,
 Salary Slip Loan,Préstec antilliscant,
 Loan Repayment Entry,Entrada de reemborsament del préstec,
-Sanctioned Loan Amount,Import del préstec sancionat,
-Sanctioned Amount Limit,Límite de la quantitat sancionada,
-Unpledge,Desconnectat,
-Haircut,Tall de cabell,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Generar Calendari,
 Schedules,Horaris,
@@ -7885,7 +7749,6 @@
 Update Series,Actualitza Sèries,
 Change the starting / current sequence number of an existing series.,Canviar el número de seqüència inicial/actual d'una sèrie existent.,
 Prefix,Prefix,
-Current Value,Valor actual,
 This is the number of the last created transaction with this prefix,Aquest és el nombre de l'última transacció creat amb aquest prefix,
 Update Series Number,Actualització Nombre Sèries,
 Quotation Lost Reason,Cita Perduda Raó,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Nivell d'articles recomanat per a tornar a passar comanda,
 Lead Details,Detalls del client potencial,
 Lead Owner Efficiency,Eficiència plom propietari,
-Loan Repayment and Closure,Devolució i tancament del préstec,
-Loan Security Status,Estat de seguretat del préstec,
 Lost Opportunity,Oportunitat perduda,
 Maintenance Schedules,Programes de manteniment,
 Material Requests for which Supplier Quotations are not created,Les sol·licituds de material per als quals no es creen Ofertes de Proveïdor,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Comptes orientats: {0},
 Payment Account is mandatory,El compte de pagament és obligatori,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Si es marca, l&#39;import íntegre es descomptarà de la renda imposable abans de calcular l&#39;impost sobre la renda sense cap declaració ni presentació de proves.",
-Disbursement Details,Detalls del desemborsament,
 Material Request Warehouse,Sol·licitud de material Magatzem,
 Select warehouse for material requests,Seleccioneu un magatzem per a sol·licituds de material,
 Transfer Materials For Warehouse {0},Transferència de materials per a magatzem {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Reemborsar l’import no reclamat del salari,
 Deduction from salary,Deducció del salari,
 Expired Leaves,Fulles caducades,
-Reference No,Número de referència,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,El percentatge de tall de cabell és la diferència percentual entre el valor de mercat del títol de préstec i el valor atribuït a aquest títol quan s’utilitza com a garantia d’aquest préstec.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,La ràtio de préstec a valor expressa la relació entre l’import del préstec i el valor de la garantia compromesa. Es produirà un dèficit de seguretat del préstec si aquesta baixa per sota del valor especificat per a qualsevol préstec,
 If this is not checked the loan by default will be considered as a Demand Loan,"Si no es comprova això, el préstec per defecte es considerarà un préstec a la demanda",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Aquest compte s’utilitza per reservar els pagaments de préstecs del prestatari i també per desemborsar préstecs al prestatari,
 This account is capital account which is used to allocate capital for loan disbursal account ,Aquest compte és un compte de capital que s’utilitza per assignar capital per al compte de desemborsament del préstec,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},L&#39;operació {0} no pertany a l&#39;ordre de treball {1},
 Print UOM after Quantity,Imprimiu UOM després de Quantity,
 Set default {0} account for perpetual inventory for non stock items,Definiu un compte {0} predeterminat per a l&#39;inventari perpetu dels articles que no estiguin en estoc,
-Loan Security {0} added multiple times,La seguretat del préstec {0} s&#39;ha afegit diverses vegades,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Els títols de préstec amb una ràtio LTV diferent no es poden empenyorar contra un préstec,
-Qty or Amount is mandatory for loan security!,Quantitat o import és obligatori per a la seguretat del préstec.,
-Only submittted unpledge requests can be approved,Només es poden aprovar les sol·licituds unpledge enviades,
-Interest Amount or Principal Amount is mandatory,L’interès o l’import del capital són obligatoris,
-Disbursed Amount cannot be greater than {0},La quantitat desemborsada no pot ser superior a {0},
-Row {0}: Loan Security {1} added multiple times,Fila {0}: seguretat del préstec {1} afegida diverses vegades,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Fila núm. {0}: l&#39;article secundari no ha de ser un paquet de productes. Traieu l&#39;element {1} i deseu,
 Credit limit reached for customer {0},S&#39;ha assolit el límit de crèdit per al client {0},
 Could not auto create Customer due to the following missing mandatory field(s):,No s&#39;ha pogut crear el client automàticament perquè falten els camps obligatoris següents:,
diff --git a/erpnext/translations/cs.csv b/erpnext/translations/cs.csv
index 783d6d4..6826b2d 100644
--- a/erpnext/translations/cs.csv
+++ b/erpnext/translations/cs.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Platí, pokud je společností SpA, SApA nebo SRL",
 Applicable if the company is a limited liability company,"Platí, pokud je společnost společností s ručením omezeným",
 Applicable if the company is an Individual or a Proprietorship,"Platí, pokud je společnost jednotlivec nebo vlastník",
-Applicant,Žadatel,
-Applicant Type,Typ žadatele,
 Application of Funds (Assets),Aplikace fondů (aktiv),
 Application period cannot be across two allocation records,Období žádosti nesmí být v rámci dvou alokačních záznamů,
 Application period cannot be outside leave allocation period,Období pro podávání žádostí nemůže být alokační období venku volno,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Seznam dostupných akcionářů s čísly folií,
 Loading Payment System,Načítání platebního systému,
 Loan,Půjčka,
-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},
-Loan Application,Žádost o půjčku,
-Loan Management,Správa úvěrů,
-Loan Repayment,Splácení úvěru,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Datum zahájení výpůjčky a období výpůjčky jsou povinné pro uložení diskontování faktury,
 Loans (Liabilities),Úvěry (závazky),
 Loans and Advances (Assets),Úvěry a zálohy (aktiva),
@@ -1611,7 +1605,6 @@
 Monday,Pondělí,
 Monthly,Měsíčně,
 Monthly Distribution,Měsíční Distribution,
-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,
 More,Více,
 More Information,Víc informací,
 More than one selection for {0} not allowed,Více než jeden výběr pro {0} není povolen,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Platit {0} {1},
 Payable,Splatný,
 Payable Account,Splatnost účtu,
-Payable Amount,Splatná částka,
 Payment,Platba,
 Payment Cancelled. Please check your GoCardless Account for more details,Platba byla zrušena. Zkontrolujte svůj účet GoCardless pro více informací,
 Payment Confirmation,Potvrzení platby,
-Payment Date,Datum splatnosti,
 Payment Days,Platební dny,
 Payment Document,platba Document,
 Payment Due Date,Splatno dne,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,"Prosím, zadejte první doklad o zakoupení",
 Please enter Receipt Document,"Prosím, zadejte převzetí dokumentu",
 Please enter Reference date,"Prosím, zadejte Referenční den",
-Please enter Repayment Periods,"Prosím, zadejte dobu splácení",
 Please enter Reqd by Date,Zadejte Reqd podle data,
 Please enter Woocommerce Server URL,Zadejte adresu URL serveru Woocommerce,
 Please enter Write Off Account,"Prosím, zadejte odepsat účet",
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,"Prosím, zadejte nákladové středisko mateřský",
 Please enter quantity for Item {0},"Zadejte prosím množství produktů, bod {0}",
 Please enter relieving date.,Zadejte zmírnění datum.,
-Please enter repayment Amount,"Prosím, zadejte splácení Částka",
 Please enter valid Financial Year Start and End Dates,Zadejte prosím platnou finanční rok datum zahájení a ukončení,
 Please enter valid email address,Zadejte platnou e-mailovou adresu,
 Please enter {0} first,"Prosím, zadejte {0} jako první",
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Pravidla pro stanovení sazeb jsou dále filtrována na základě množství.,
 Primary Address Details,Údaje o primární adrese,
 Primary Contact Details,Primární kontaktní údaje,
-Principal Amount,jistina,
 Print Format,Formát tisku,
 Print IRS 1099 Forms,Tisk IRS 1099 formulářů,
 Print Report Card,Tiskněte kartu přehledů,
@@ -2550,7 +2538,6 @@
 Sample Collection,Kolekce vzorků,
 Sample quantity {0} cannot be more than received quantity {1},Množství vzorku {0} nemůže být větší než přijaté množství {1},
 Sanctioned,schválený,
-Sanctioned Amount,Sankcionována Částka,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sankcionována Částka nemůže být větší než reklamace Částka v řádku {0}.,
 Sand,Písek,
 Saturday,Sobota,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} již má rodičovský postup {1}.,
 API,API,
 Annual,Roční,
-Approved,Schválený,
 Change,Změna,
 Contact Email,Kontaktní e-mail,
 Export Type,Typ exportu,
@@ -3571,7 +3557,6 @@
 Account Value,Hodnota účtu,
 Account is mandatory to get payment entries,Účet je povinný pro získání platebních záznamů,
 Account is not set for the dashboard chart {0},Účet není nastaven pro graf dashboardu {0},
-Account {0} does not belong to company {1},Účet {0} nepatří do společnosti {1},
 Account {0} does not exists in the dashboard chart {1},Účet {0} neexistuje v grafu dashboardu {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Účet: <b>{0}</b> je kapitál Probíhá zpracování a nelze jej aktualizovat zápisem do deníku,
 Account: {0} is not permitted under Payment Entry,Účet: {0} není povolen v rámci zadání platby,
@@ -3582,7 +3567,6 @@
 Activity,Činnost,
 Add / Manage Email Accounts.,Přidat / Správa e-mailových účtů.,
 Add Child,Přidat dítě,
-Add Loan Security,Přidejte zabezpečení půjčky,
 Add Multiple,Přidat více,
 Add Participants,Přidat účastníky,
 Add to Featured Item,Přidat k vybrané položce,
@@ -3593,15 +3577,12 @@
 Address Line 1,Adresní řádek 1,
 Addresses,Adresy,
 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.,
-Against Loan,Proti půjčce,
-Against Loan:,Proti úvěru:,
 All,Všechno,
 All bank transactions have been created,Byly vytvořeny všechny bankovní transakce,
 All the depreciations has been booked,Všechny odpisy byly zaúčtovány,
 Allocation Expired!,Platnost přidělení vypršela!,
 Allow Resetting Service Level Agreement from Support Settings.,Povolit resetování dohody o úrovni služeb z nastavení podpory.,
 Amount of {0} is required for Loan closure,Pro uzavření úvěru je požadována částka {0},
-Amount paid cannot be zero,Zaplacená částka nesmí být nulová,
 Applied Coupon Code,Kód použitého kupónu,
 Apply Coupon Code,Použijte kód kupónu,
 Appointment Booking,Rezervace schůzek,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,"Nelze vypočítat čas příjezdu, protože chybí adresa řidiče.",
 Cannot Optimize Route as Driver Address is Missing.,"Nelze optimalizovat trasu, protože chybí adresa ovladače.",
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Nelze dokončit úkol {0}, protože jeho závislá úloha {1} není dokončena / zrušena.",
-Cannot create loan until application is approved,"Dokud nebude žádost schválena, nelze vytvořit půjčku",
 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}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Nelze přeplatit za položku {0} v řádku {1} více než {2}. Chcete-li povolit nadměrnou fakturaci, nastavte v Nastavení účtu povolenky",
 "Capacity Planning Error, planned start time can not be same as end time","Chyba plánování kapacity, plánovaný čas zahájení nemůže být stejný jako čas ukončení",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Méně než částka,
 Liabilities,Pasiva,
 Loading...,Nahrávám...,
-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ů,
 Loan Applications from customers and employees.,Žádosti o půjčku od zákazníků a zaměstnanců.,
-Loan Disbursement,Vyplacení půjčky,
 Loan Processes,Úvěrové procesy,
-Loan Security,Zabezpečení půjčky,
-Loan Security Pledge,Úvěrový příslib,
-Loan Security Pledge Created : {0},Vytvořen záložní úvěr: {0},
-Loan Security Price,Cena za půjčku,
-Loan Security Price overlapping with {0},Cena půjčky se překrývá s {0},
-Loan Security Unpledge,Zabezpečení úvěru Unpledge,
-Loan Security Value,Hodnota zabezpečení úvěru,
 Loan Type for interest and penalty rates,Typ půjčky za úroky a penále,
-Loan amount cannot be greater than {0},Výše půjčky nesmí být větší než {0},
-Loan is mandatory,Půjčka je povinná,
 Loans,Půjčky,
 Loans provided to customers and employees.,Půjčky poskytnuté zákazníkům a zaměstnancům.,
 Location,Místo,
@@ -3894,7 +3863,6 @@
 Pay,Zaplatit,
 Payment Document Type,Typ platebního dokladu,
 Payment Name,Název platby,
-Penalty Amount,Trestná částka,
 Pending,Až do,
 Performance,Výkon,
 Period based On,Období založené na,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,"Chcete-li tuto položku upravit, přihlaste se jako uživatel Marketplace.",
 Please login as a Marketplace User to report this item.,"Chcete-li tuto položku nahlásit, přihlaste se jako uživatel Marketplace.",
 Please select <b>Template Type</b> to download template,Vyberte <b>šablonu</b> pro stažení šablony,
-Please select Applicant Type first,Nejprve vyberte typ žadatele,
 Please select Customer first,Nejprve prosím vyberte Zákazníka,
 Please select Item Code first,Nejprve vyberte kód položky,
-Please select Loan Type for company {0},Vyberte typ půjčky pro společnost {0},
 Please select a Delivery Note,Vyberte dodací list,
 Please select a Sales Person for item: {0},Vyberte obchodní osobu pro položku: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Vyberte prosím jinou platební metodu. Stripe nepodporuje transakce v měně {0} &#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Nastavte prosím výchozí bankovní účet společnosti {0},
 Please specify,Prosím specifikujte,
 Please specify a {0},Zadejte prosím {0},lead
-Pledge Status,Stav zástavy,
-Pledge Time,Pledge Time,
 Printing,Tisk,
 Priority,Priorita,
 Priority has been changed to {0}.,Priorita byla změněna na {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Zpracování souborů XML,
 Profitability,Ziskovost,
 Project,Zakázka,
-Proposed Pledges are mandatory for secured Loans,Navrhované zástavy jsou povinné pro zajištěné půjčky,
 Provide the academic year and set the starting and ending date.,Uveďte akademický rok a stanovte počáteční a konečné datum.,
 Public token is missing for this bank,Pro tuto banku chybí veřejný token,
 Publish,Publikovat,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Potvrzení o nákupu neobsahuje žádnou položku, pro kterou je povolen Retain Sample.",
 Purchase Return,Nákup Return,
 Qty of Finished Goods Item,Množství hotového zboží,
-Qty or Amount is mandatroy for loan security,Množství nebo částka je mandatroy pro zajištění půjčky,
 Quality Inspection required for Item {0} to submit,Pro odeslání položky {0} je vyžadována kontrola kvality,
 Quantity to Manufacture,Množství k výrobě,
 Quantity to Manufacture can not be zero for the operation {0},Množství na výrobu nemůže být pro operaci nulové {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Datum vydání musí být větší nebo rovno Datum připojení,
 Rename,Přejmenovat,
 Rename Not Allowed,Přejmenovat není povoleno,
-Repayment Method is mandatory for term loans,Způsob splácení je povinný pro termínované půjčky,
-Repayment Start Date is mandatory for term loans,Datum zahájení splácení je povinné pro termínované půjčky,
 Report Item,Položka sestavy,
 Report this Item,Nahlásit tuto položku,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Vyhrazeno Množství pro subdodávky: Množství surovin pro výrobu subdodávek.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Řádek ({0}): {1} je již zlevněn v {2},
 Rows Added in {0},Řádky přidané v {0},
 Rows Removed in {0},Řádky odebrány za {0},
-Sanctioned Amount limit crossed for {0} {1},Překročení limitu sankce za {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},Částka schváleného úvěru již existuje pro {0} proti společnosti {1},
 Save,Uložit,
 Save Item,Uložit položku,
 Saved Items,Uložené položky,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Uživatel {0} je zakázána,
 Users and Permissions,Uživatelé a oprávnění,
 Vacancies cannot be lower than the current openings,Volná pracovní místa nemohou být nižší než stávající otvory,
-Valid From Time must be lesser than Valid Upto Time.,Platný od času musí být menší než platný až do doby.,
 Valuation Rate required for Item {0} at row {1},Míra ocenění požadovaná pro položku {0} v řádku {1},
 Values Out Of Sync,Hodnoty ze synchronizace,
 Vehicle Type is required if Mode of Transport is Road,"Typ vozidla je vyžadován, pokud je způsob dopravy silniční",
@@ -4211,7 +4168,6 @@
 Add to Cart,Přidat do košíku,
 Days Since Last Order,Dny od poslední objednávky,
 In Stock,Na skladě,
-Loan Amount is mandatory,Částka půjčky je povinná,
 Mode Of Payment,Způsob platby,
 No students Found,Nebyli nalezeni žádní studenti,
 Not in Stock,Není skladem,
@@ -4240,7 +4196,6 @@
 Group by,Seskupit podle,
 In stock,Na skladě,
 Item name,Název položky,
-Loan amount is mandatory,Částka půjčky je povinná,
 Minimum Qty,Minimální počet,
 More details,Další podrobnosti,
 Nature of Supplies,Příroda Dodávky,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Celkem dokončeno Množství,
 Qty to Manufacture,Množství K výrobě,
 Repay From Salary can be selected only for term loans,Výplatu z platu lze vybrat pouze u termínovaných půjček,
-No valid Loan Security Price found for {0},Nebyla nalezena platná cena zabezpečení půjčky pro {0},
-Loan Account and Payment Account cannot be same,Úvěrový účet a platební účet nemohou být stejné,
-Loan Security Pledge can only be created for secured loans,Slib zajištění půjčky lze vytvořit pouze pro zajištěné půjčky,
 Social Media Campaigns,Kampaně na sociálních médiích,
 From Date can not be greater than To Date,Od data nemůže být větší než od data,
 Please set a Customer linked to the Patient,Nastavte prosím zákazníka spojeného s pacientem,
@@ -6437,7 +6389,6 @@
 HR User,HR User,
 Appointment Letter,Jmenovací dopis,
 Job Applicant,Job Žadatel,
-Applicant Name,Žadatel Název,
 Appointment Date,Datum schůzky,
 Appointment Letter Template,Šablona dopisu schůzky,
 Body,Tělo,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Synchronizace probíhá,
 Hub Seller Name,Jméno prodejce hubu,
 Custom Data,Vlastní data,
-Member,Člen,
-Partially Disbursed,částečně Vyplacené,
-Loan Closure Requested,Požadováno uzavření úvěru,
 Repay From Salary,Splatit z platu,
-Loan Details,půjčka Podrobnosti,
-Loan Type,Typ úvěru,
-Loan Amount,Částka půjčky,
-Is Secured Loan,Je zajištěná půjčka,
-Rate of Interest (%) / Year,Úroková sazba (%) / rok,
-Disbursement Date,výplata Datum,
-Disbursed Amount,Částka vyplacená,
-Is Term Loan,Je termín půjčka,
-Repayment Method,splácení Metoda,
-Repay Fixed Amount per Period,Splatit pevná částka na období,
-Repay Over Number of Periods,Splatit Over počet období,
-Repayment Period in Months,Splácení doba v měsících,
-Monthly Repayment Amount,Výše měsíční splátky,
-Repayment Start Date,Datum zahájení splacení,
-Loan Security Details,Podrobnosti o půjčce,
-Maximum Loan Value,Maximální hodnota půjčky,
-Account Info,Informace o účtu,
-Loan Account,Úvěrový účet,
-Interest Income Account,Účet Úrokové výnosy,
-Penalty Income Account,Účet peněžitých příjmů,
-Repayment Schedule,splátkový kalendář,
-Total Payable Amount,Celková částka Splatné,
-Total Principal Paid,Celková zaplacená jistina,
-Total Interest Payable,Celkem splatných úroků,
-Total Amount Paid,Celková částka zaplacena,
-Loan Manager,Správce půjček,
-Loan Info,Informace o úvěr,
-Rate of Interest,Úroková sazba,
-Proposed Pledges,Navrhované zástavy,
-Maximum Loan Amount,Maximální výše úvěru,
-Repayment Info,splácení Info,
-Total Payable Interest,Celkem Splatné úroky,
-Against Loan ,Proti půjčce,
-Loan Interest Accrual,Úvěrový úrok,
-Amounts,Množství,
-Pending Principal Amount,Čeká částka jistiny,
-Payable Principal Amount,Splatná jistina,
-Paid Principal Amount,Vyplacená jistina,
-Paid Interest Amount,Částka zaplaceného úroku,
-Process Loan Interest Accrual,Časově rozlišené úroky z procesu,
-Repayment Schedule Name,Název splátkového kalendáře,
 Regular Payment,Pravidelná platba,
 Loan Closure,Uznání úvěru,
-Payment Details,Platební údaje,
-Interest Payable,Úroky splatné,
-Amount Paid,Zaplacené částky,
-Principal Amount Paid,Hlavní zaplacená částka,
-Repayment Details,Podrobnosti splácení,
-Loan Repayment Detail,Podrobnosti o splácení půjčky,
-Loan Security Name,Název zabezpečení půjčky,
-Unit Of Measure,Měrná jednotka,
-Loan Security Code,Bezpečnostní kód půjčky,
-Loan Security Type,Typ zabezpečení půjčky,
-Haircut %,Střih%,
-Loan  Details,Podrobnosti o půjčce,
-Unpledged,Unpledged,
-Pledged,Slíbil,
-Partially Pledged,Částečně zastaveno,
-Securities,Cenné papíry,
-Total Security Value,Celková hodnota zabezpečení,
-Loan Security Shortfall,Nedostatek zabezpečení úvěru,
-Loan ,Půjčka,
-Shortfall Time,Zkratový čas,
-America/New_York,America / New_York,
-Shortfall Amount,Částka schodku,
-Security Value ,Hodnota zabezpečení,
-Process Loan Security Shortfall,Nedostatek zabezpečení procesních půjček,
-Loan To Value Ratio,Poměr půjčky k hodnotě,
-Unpledge Time,Unpledge Time,
-Loan Name,půjčka Name,
 Rate of Interest (%) Yearly,Úroková sazba (%) Roční,
-Penalty Interest Rate (%) Per Day,Trestní úroková sazba (%) za den,
-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ě,
-Grace Period in Days,Grace Období ve dnech,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,"Počet dní od data splatnosti, do kterých nebude účtována pokuta v případě zpoždění splácení půjčky",
-Pledge,Slib,
-Post Haircut Amount,Částka za účes,
-Process Type,Typ procesu,
-Update Time,Čas aktualizace,
-Proposed Pledge,Navrhovaný slib,
-Total Payment,Celková platba,
-Balance Loan Amount,Balance Výše úvěru,
-Is Accrued,Je narostl,
 Salary Slip Loan,Úvěrový půjček,
 Loan Repayment Entry,Úvěrová splátka,
-Sanctioned Loan Amount,Částka schváleného úvěru,
-Sanctioned Amount Limit,Povolený limit částky,
-Unpledge,Unpledge,
-Haircut,Střih,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Generování plán,
 Schedules,Plány,
@@ -7885,7 +7749,6 @@
 Update Series,Řada Aktualizace,
 Change the starting / current sequence number of an existing series.,Změnit výchozí / aktuální pořadové číslo existujícího série.,
 Prefix,Prefix,
-Current Value,Current Value,
 This is the number of the last created transaction with this prefix,To je číslo poslední vytvořené transakci s tímto prefixem,
 Update Series Number,Aktualizace Series Number,
 Quotation Lost Reason,Důvod ztráty nabídky,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise Doporučené Změna pořadí Level,
 Lead Details,Detaily leadu,
 Lead Owner Efficiency,Vedoucí účinnost vlastníka,
-Loan Repayment and Closure,Splácení a uzavření úvěru,
-Loan Security Status,Stav zabezpečení úvěru,
 Lost Opportunity,Ztracená příležitost,
 Maintenance Schedules,Plány údržby,
 Material Requests for which Supplier Quotations are not created,Materiál Žádosti o které Dodavatel citace nejsou vytvořeny,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Počet zacílených: {0},
 Payment Account is mandatory,Platební účet je povinný,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Pokud je zaškrtnuto, bude odečtena celá částka ze zdanitelného příjmu před výpočtem daně z příjmu bez jakéhokoli prohlášení nebo předložení dokladu.",
-Disbursement Details,Podrobnosti o výplatě,
 Material Request Warehouse,Sklad požadavku na materiál,
 Select warehouse for material requests,Vyberte sklad pro požadavky na materiál,
 Transfer Materials For Warehouse {0},Přenos materiálů do skladu {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Vrátit nevyzvednutou částku z platu,
 Deduction from salary,Srážka z platu,
 Expired Leaves,Vypršela platnost listů,
-Reference No,Referenční číslo,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,"Procento srážky je procentní rozdíl mezi tržní hodnotou zajištění úvěru a hodnotou připisovanou tomuto zajištění úvěru, pokud je použit jako kolaterál pro danou půjčku.",
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,"Poměr půjčky k hodnotě vyjadřuje poměr výše půjčky k hodnotě zastaveného cenného papíru. Nedostatek zabezpečení půjčky se spustí, pokud poklesne pod stanovenou hodnotu jakékoli půjčky",
 If this is not checked the loan by default will be considered as a Demand Loan,"Pokud to není zaškrtnuto, bude se úvěr ve výchozím nastavení považovat za půjčku na vyžádání",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Tento účet slouží k rezervaci splátek půjčky od dlužníka a také k vyplácení půjček dlužníkovi,
 This account is capital account which is used to allocate capital for loan disbursal account ,"Tento účet je kapitálovým účtem, který se používá k přidělení kapitálu pro účet vyplácení půjček",
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Operace {0} nepatří do pracovního příkazu {1},
 Print UOM after Quantity,Tisk MJ po množství,
 Set default {0} account for perpetual inventory for non stock items,U výchozích položek nastavte výchozí účet {0} pro věčný inventář,
-Loan Security {0} added multiple times,Zabezpečení půjčky {0} přidáno několikrát,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Úvěrové cenné papíry s různým poměrem LTV nelze zastavit proti jedné půjčce,
-Qty or Amount is mandatory for loan security!,Množství nebo částka je pro zajištění půjčky povinné!,
-Only submittted unpledge requests can be approved,Schváleny mohou být pouze odeslané žádosti o odpojení,
-Interest Amount or Principal Amount is mandatory,Částka úroku nebo částka jistiny je povinná,
-Disbursed Amount cannot be greater than {0},Vyplacená částka nemůže být větší než {0},
-Row {0}: Loan Security {1} added multiple times,Řádek {0}: Zabezpečení půjčky {1} přidáno několikrát,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Řádek č. {0}: Podřízená položka by neměla být balíkem produktů. Odeberte prosím položku {1} a uložte ji,
 Credit limit reached for customer {0},Dosažen úvěrový limit pro zákazníka {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Nelze automaticky vytvořit zákazníka kvůli následujícím chybějícím povinným polím:,
diff --git a/erpnext/translations/da.csv b/erpnext/translations/da.csv
index 05a9042..863de02 100644
--- a/erpnext/translations/da.csv
+++ b/erpnext/translations/da.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Gælder hvis virksomheden er SpA, SApA eller SRL",
 Applicable if the company is a limited liability company,"Gælder, hvis virksomheden er et aktieselskab",
 Applicable if the company is an Individual or a Proprietorship,"Gælder, hvis virksomheden er et individ eller et ejerskab",
-Applicant,Ansøger,
-Applicant Type,Ansøgertype,
 Application of Funds (Assets),Anvendelse af midler (aktiver),
 Application period cannot be across two allocation records,Ansøgningsperioden kan ikke være på tværs af to tildelingsregistre,
 Application period cannot be outside leave allocation period,Ansøgningsperiode kan ikke være uden for orlov tildelingsperiode,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Liste over tilgængelige aktionærer med folio numre,
 Loading Payment System,Indlæser betalingssystem,
 Loan,Lån,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Lånebeløb kan ikke overstige det maksimale lånebeløb på {0},
-Loan Application,Låneansøgning,
-Loan Management,Lånestyring,
-Loan Repayment,Tilbagebetaling af lån,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Lånets startdato og låneperiode er obligatorisk for at gemme fakturadiskontering,
 Loans (Liabilities),Lån (passiver),
 Loans and Advances (Assets),Udlån (aktiver),
@@ -1611,7 +1605,6 @@
 Monday,Mandag,
 Monthly,Månedlig,
 Monthly Distribution,Månedlig distribution,
-Monthly Repayment Amount cannot be greater than Loan Amount,Månedlig tilbagebetaling beløb kan ikke være større end Lånebeløb,
 More,Mere,
 More Information,Mere information,
 More than one selection for {0} not allowed,Mere end et valg for {0} er ikke tilladt,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Betal {0} {1},
 Payable,betales,
 Payable Account,Betales konto,
-Payable Amount,Betalbart beløb,
 Payment,Betaling,
 Payment Cancelled. Please check your GoCardless Account for more details,Betaling annulleret. Tjek venligst din GoCardless-konto for flere detaljer,
 Payment Confirmation,Betalingsbekræftelse,
-Payment Date,Betalingsdato,
 Payment Days,Betalingsdage,
 Payment Document,Betaling dokument,
 Payment Due Date,Sidste betalingsdato,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,Indtast venligst købskvittering først,
 Please enter Receipt Document,Indtast Kvittering Dokument,
 Please enter Reference date,Indtast referencedato,
-Please enter Repayment Periods,Indtast venligst Tilbagebetalingstid,
 Please enter Reqd by Date,Indtast venligst Reqd by Date,
 Please enter Woocommerce Server URL,Indtast venligst Woocommerce Server URL,
 Please enter Write Off Account,Indtast venligst Skriv Off konto,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,Indtast overordnet omkostningssted,
 Please enter quantity for Item {0},Indtast mængde for vare {0},
 Please enter relieving date.,Indtast lindre dato.,
-Please enter repayment Amount,Indtast tilbagebetaling Beløb,
 Please enter valid Financial Year Start and End Dates,Indtast venligst det gyldige regnskabsårs start- og slutdatoer,
 Please enter valid email address,Indtast venligst en gyldig e-mailadresse,
 Please enter {0} first,Indtast venligst {0} først,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Prisfastsættelsesregler er yderligere filtreret på mængden.,
 Primary Address Details,Primær adresseoplysninger,
 Primary Contact Details,Primær kontaktoplysninger,
-Principal Amount,hovedstol,
 Print Format,Udskriftsformat,
 Print IRS 1099 Forms,Udskriv IRS 1099-formularer,
 Print Report Card,Udskriv rapportkort,
@@ -2550,7 +2538,6 @@
 Sample Collection,Prøveopsamling,
 Sample quantity {0} cannot be more than received quantity {1},Prøvekvantitet {0} kan ikke være mere end modtaget mængde {1},
 Sanctioned,sanktioneret,
-Sanctioned Amount,Sanktioneret beløb,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Bevilliget beløb kan ikke være større end udlægsbeløbet i række {0}.,
 Sand,Sand,
 Saturday,Lørdag,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} har allerede en overordnet procedure {1}.,
 API,API,
 Annual,Årligt,
-Approved,godkendt,
 Change,Ændring,
 Contact Email,Kontakt e-mail,
 Export Type,Eksporttype,
@@ -3571,7 +3557,6 @@
 Account Value,Kontoværdi,
 Account is mandatory to get payment entries,Konto er obligatorisk for at få betalingsposter,
 Account is not set for the dashboard chart {0},Konto er ikke indstillet til betjeningspanelet {0},
-Account {0} does not belong to company {1},Konto {0} tilhører ikke virksomheden {1},
 Account {0} does not exists in the dashboard chart {1},Konto {0} findes ikke i kontrolpanelet {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Konto: <b>{0}</b> er kapital Arbejde pågår og kan ikke opdateres af journalindtastning,
 Account: {0} is not permitted under Payment Entry,Konto: {0} er ikke tilladt under betalingsindtastning,
@@ -3582,7 +3567,6 @@
 Activity,Aktivitet,
 Add / Manage Email Accounts.,Tilføj / Håndter e-mail-konti.,
 Add Child,Tilføj ny,
-Add Loan Security,Tilføj lånesikkerhed,
 Add Multiple,Tilføj flere,
 Add Participants,Tilføj deltagerne,
 Add to Featured Item,Føj til den valgte vare,
@@ -3593,15 +3577,12 @@
 Address Line 1,Adresse,
 Addresses,Adresser,
 Admission End Date should be greater than Admission Start Date.,Indgangssluttedato skal være større end startdato for optagelse.,
-Against Loan,Mod lån,
-Against Loan:,Mod lån:,
 All,Alle,
 All bank transactions have been created,Alle banktransaktioner er oprettet,
 All the depreciations has been booked,Alle afskrivninger er booket,
 Allocation Expired!,Tildeling udløbet!,
 Allow Resetting Service Level Agreement from Support Settings.,Tillad nulstilling af serviceniveauaftale fra supportindstillinger.,
 Amount of {0} is required for Loan closure,Der kræves et beløb på {0} til lukning af lånet,
-Amount paid cannot be zero,Det betalte beløb kan ikke være nul,
 Applied Coupon Code,Anvendt kuponkode,
 Apply Coupon Code,Anvend kuponkode,
 Appointment Booking,Udnævnelsesreservation,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,"Kan ikke beregne ankomsttid, da driveradressen mangler.",
 Cannot Optimize Route as Driver Address is Missing.,"Kan ikke optimere ruten, da driveradressen mangler.",
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Kan ikke udføre opgave {0}, da dens afhængige opgave {1} ikke er komplet / annulleret.",
-Cannot create loan until application is approved,"Kan ikke oprette lån, før ansøgningen er godkendt",
 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}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings",Kan ikke overbillede for vare {0} i række {1} mere end {2}. For at tillade overfakturering skal du angive kvote i Kontoindstillinger,
 "Capacity Planning Error, planned start time can not be same as end time","Kapacitetsplanlægningsfejl, planlagt starttid kan ikke være det samme som sluttid",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Mindre end beløb,
 Liabilities,passiver,
 Loading...,Indlæser ...,
-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,
 Loan Applications from customers and employees.,Låneansøgninger fra kunder og ansatte.,
-Loan Disbursement,Udbetaling af lån,
 Loan Processes,Låneprocesser,
-Loan Security,Lånesikkerhed,
-Loan Security Pledge,Lånesikkerheds pantsætning,
-Loan Security Pledge Created : {0},Lånesikkerhedslove oprettet: {0},
-Loan Security Price,Lånesikkerhedspris,
-Loan Security Price overlapping with {0},"Lånesikkerhedspris, der overlapper med {0}",
-Loan Security Unpledge,Unpedge-lånesikkerhed,
-Loan Security Value,Lånesikkerhedsværdi,
 Loan Type for interest and penalty rates,Lånetype til renter og sanktioner,
-Loan amount cannot be greater than {0},Lånebeløbet kan ikke være større end {0},
-Loan is mandatory,Lån er obligatorisk,
 Loans,lån,
 Loans provided to customers and employees.,Lån ydet til kunder og ansatte.,
 Location,Lokation,
@@ -3894,7 +3863,6 @@
 Pay,Betale,
 Payment Document Type,Betalingsdokumenttype,
 Payment Name,Betalingsnavn,
-Penalty Amount,Straffebeløb,
 Pending,Afventer,
 Performance,Ydeevne,
 Period based On,Periode baseret på,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,Log ind som Marketplace-bruger for at redigere denne vare.,
 Please login as a Marketplace User to report this item.,Log ind som Marketplace-bruger for at rapportere denne vare.,
 Please select <b>Template Type</b> to download template,Vælg <b>skabelontype for</b> at downloade skabelon,
-Please select Applicant Type first,Vælg først ansøgertype,
 Please select Customer first,Vælg først kunde,
 Please select Item Code first,Vælg først varekode,
-Please select Loan Type for company {0},Vælg lånetype for firmaet {0},
 Please select a Delivery Note,Vælg en leveringsnotat,
 Please select a Sales Person for item: {0},Vælg en salgsperson for varen: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Vælg venligst en anden betalingsmetode. Stripe understøtter ikke transaktioner i valuta &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Opret en standard bankkonto for firmaet {0},
 Please specify,Angiv venligst,
 Please specify a {0},Angiv en {0},lead
-Pledge Status,Pantstatus,
-Pledge Time,Pantetid,
 Printing,Udskrivning,
 Priority,Prioritet,
 Priority has been changed to {0}.,Prioritet er ændret til {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Behandler XML-filer,
 Profitability,Rentabilitet,
 Project,Sag,
-Proposed Pledges are mandatory for secured Loans,Foreslåede løfter er obligatoriske for sikrede lån,
 Provide the academic year and set the starting and ending date.,"Angiv studieåret, og angiv start- og slutdato.",
 Public token is missing for this bank,Der mangler en offentlig token til denne bank,
 Publish,Offentliggøre,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Købskvittering har ingen varer, som Beholdningsprøve er aktiveret til.",
 Purchase Return,Indkøb Return,
 Qty of Finished Goods Item,Antal færdige varer,
-Qty or Amount is mandatroy for loan security,Antal eller beløb er mandatroy for lån sikkerhed,
 Quality Inspection required for Item {0} to submit,Kvalitetskontrol kræves for at indsende vare {0},
 Quantity to Manufacture,Mængde til fremstilling,
 Quantity to Manufacture can not be zero for the operation {0},Mængde til fremstilling kan ikke være nul for handlingen {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Fritagelsesdato skal være større end eller lig med tiltrædelsesdato,
 Rename,Omdøb,
 Rename Not Allowed,Omdøb ikke tilladt,
-Repayment Method is mandatory for term loans,Tilbagebetalingsmetode er obligatorisk for kortfristede lån,
-Repayment Start Date is mandatory for term loans,Startdato for tilbagebetaling er obligatorisk for kortfristede lån,
 Report Item,Rapporter element,
 Report this Item,Rapporter denne vare,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Reserveret antal til underentreprise: Mængde af råvarer til fremstilling af underentrepriser.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Række ({0}): {1} er allerede nedsat i {2},
 Rows Added in {0},Rækker tilføjet i {0},
 Rows Removed in {0},Rækker blev fjernet i {0},
-Sanctioned Amount limit crossed for {0} {1},"Sanktioneret beløb, der er overskredet for {0} {1}",
-Sanctioned Loan Amount already exists for {0} against company {1},Sanktioneret lånebeløb findes allerede for {0} mod selskab {1},
 Save,Gem,
 Save Item,Gem vare,
 Saved Items,Gemte varer,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Bruger {0} er deaktiveret,
 Users and Permissions,Brugere og tilladelser,
 Vacancies cannot be lower than the current openings,Ledige stillinger kan ikke være lavere end de nuværende åbninger,
-Valid From Time must be lesser than Valid Upto Time.,Gyldig fra tid skal være mindre end gyldig indtil tid.,
 Valuation Rate required for Item {0} at row {1},Værdiansættelsesgrad krævet for vare {0} i række {1},
 Values Out Of Sync,Værdier ude af synkronisering,
 Vehicle Type is required if Mode of Transport is Road,"Køretøjstype er påkrævet, hvis transportform er vej",
@@ -4211,7 +4168,6 @@
 Add to Cart,Føj til indkøbsvogn,
 Days Since Last Order,Dage siden sidste ordre,
 In Stock,På lager,
-Loan Amount is mandatory,Lånebeløb er obligatorisk,
 Mode Of Payment,Betalingsmåde,
 No students Found,Ingen studerende fundet,
 Not in Stock,Ikke på lager,
@@ -4240,7 +4196,6 @@
 Group by,Sortér efter,
 In stock,På lager,
 Item name,Varenavn,
-Loan amount is mandatory,Lånebeløb er obligatorisk,
 Minimum Qty,Minimum antal,
 More details,Flere detaljer,
 Nature of Supplies,Forsyningens art,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,I alt afsluttet antal,
 Qty to Manufacture,Antal at producere,
 Repay From Salary can be selected only for term loans,Tilbagebetaling fra løn kan kun vælges til løbetidslån,
-No valid Loan Security Price found for {0},Der blev ikke fundet nogen gyldig lånesikkerhedspris for {0},
-Loan Account and Payment Account cannot be same,Lånekonto og betalingskonto kan ikke være den samme,
-Loan Security Pledge can only be created for secured loans,Lånsikkerhedspant kan kun oprettes for sikrede lån,
 Social Media Campaigns,Sociale mediekampagner,
 From Date can not be greater than To Date,Fra dato kan ikke være større end til dato,
 Please set a Customer linked to the Patient,"Indstil en kunde, der er knyttet til patienten",
@@ -6437,7 +6389,6 @@
 HR User,HR-bruger,
 Appointment Letter,Aftalerbrev,
 Job Applicant,Ansøger,
-Applicant Name,Ansøgernavn,
 Appointment Date,Udnævnelsesdato,
 Appointment Letter Template,Aftalebrevskabelon,
 Body,Legeme,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Synkronisering i gang,
 Hub Seller Name,Hub Sælger Navn,
 Custom Data,Brugerdefinerede data,
-Member,Medlem,
-Partially Disbursed,Delvist udbetalt,
-Loan Closure Requested,Anmodet om lukning,
 Repay From Salary,Tilbagebetale fra Løn,
-Loan Details,Lånedetaljer,
-Loan Type,Lånetype,
-Loan Amount,Lånebeløb,
-Is Secured Loan,Er sikret lån,
-Rate of Interest (%) / Year,Rente (%) / år,
-Disbursement Date,Udbetaling Dato,
-Disbursed Amount,Udbetalt beløb,
-Is Term Loan,Er terminlån,
-Repayment Method,tilbagebetaling Metode,
-Repay Fixed Amount per Period,Tilbagebetale fast beløb pr Periode,
-Repay Over Number of Periods,Tilbagebetale over antallet af perioder,
-Repayment Period in Months,Tilbagebetaling Periode i måneder,
-Monthly Repayment Amount,Månedlige ydelse Beløb,
-Repayment Start Date,Tilbagebetaling Startdato,
-Loan Security Details,Detaljer om lånesikkerhed,
-Maximum Loan Value,Maksimal låneværdi,
-Account Info,Kontooplysninger,
-Loan Account,Lånekonto,
-Interest Income Account,Renter Indkomst konto,
-Penalty Income Account,Penalty Income Account,
-Repayment Schedule,tilbagebetaling Schedule,
-Total Payable Amount,Samlet Betales Beløb,
-Total Principal Paid,Total betalt hovedstol,
-Total Interest Payable,Samlet Renteudgifter,
-Total Amount Paid,Samlede beløb betalt,
-Loan Manager,Låneadministrator,
-Loan Info,Låneinformation,
-Rate of Interest,Rentesats,
-Proposed Pledges,Foreslåede løfter,
-Maximum Loan Amount,Maksimalt lånebeløb,
-Repayment Info,tilbagebetaling Info,
-Total Payable Interest,Samlet Betales Renter,
-Against Loan ,Mod lån,
-Loan Interest Accrual,Periodisering af lånerenter,
-Amounts,Beløb,
-Pending Principal Amount,Afventende hovedbeløb,
-Payable Principal Amount,Betalbart hovedbeløb,
-Paid Principal Amount,Betalt hovedbeløb,
-Paid Interest Amount,Betalt rentebeløb,
-Process Loan Interest Accrual,Proceslån Renter Periodisering,
-Repayment Schedule Name,Navn på tilbagebetalingsplan,
 Regular Payment,Regelmæssig betaling,
 Loan Closure,Lånelukning,
-Payment Details,Betalingsoplysninger,
-Interest Payable,Rentebetaling,
-Amount Paid,Beløb betalt,
-Principal Amount Paid,Hovedbeløb betalt,
-Repayment Details,Detaljer om tilbagebetaling,
-Loan Repayment Detail,Detaljer om tilbagebetaling af lån,
-Loan Security Name,Lånesikkerhedsnavn,
-Unit Of Measure,Måleenhed,
-Loan Security Code,Lånesikkerhedskode,
-Loan Security Type,Lånesikkerhedstype,
-Haircut %,Hårklip%,
-Loan  Details,Lånedetaljer,
-Unpledged,ubelånte,
-Pledged,pantsat,
-Partially Pledged,Delvist pantsat,
-Securities,Værdipapirer,
-Total Security Value,Samlet sikkerhedsværdi,
-Loan Security Shortfall,Lånesikkerhedsunderskud,
-Loan ,Lån,
-Shortfall Time,Mangel på tid,
-America/New_York,Amerika / New_York,
-Shortfall Amount,Mangel på beløb,
-Security Value ,Sikkerhedsværdi,
-Process Loan Security Shortfall,Proceslånsikkerhedsunderskud,
-Loan To Value Ratio,Udlån til værdiforhold,
-Unpledge Time,Unpedge-tid,
-Loan Name,Lånenavn,
 Rate of Interest (%) Yearly,Rente (%) Årlig,
-Penalty Interest Rate (%) Per Day,Straffesats (%) pr. Dag,
-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,
-Grace Period in Days,Nådeperiode i dage,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,"Antal dage fra forfaldsdato, indtil bøden ikke opkræves i tilfælde af forsinkelse i tilbagebetaling af lån",
-Pledge,Løfte,
-Post Haircut Amount,Efter hårklipmængde,
-Process Type,Process Type,
-Update Time,Opdateringstid,
-Proposed Pledge,Foreslået løfte,
-Total Payment,Samlet betaling,
-Balance Loan Amount,Balance Lånebeløb,
-Is Accrued,Er periodiseret,
 Salary Slip Loan,Salary Slip Lån,
 Loan Repayment Entry,Indlån til tilbagebetaling af lån,
-Sanctioned Loan Amount,Sanktioneret lånebeløb,
-Sanctioned Amount Limit,Sanktioneret beløbsgrænse,
-Unpledge,Unpledge,
-Haircut,Klipning,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Generer Schedule,
 Schedules,Tidsplaner,
@@ -7885,7 +7749,6 @@
 Update Series,Opdatering Series,
 Change the starting / current sequence number of an existing series.,Skift start / aktuelle sekvensnummer af en eksisterende serie.,
 Prefix,Præfiks,
-Current Value,Aktuel værdi,
 This is the number of the last created transaction with this prefix,Dette er antallet af sidste skabte transaktionen med dette præfiks,
 Update Series Number,Opdatering Series Number,
 Quotation Lost Reason,Tilbud afvist - årsag,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise Anbefalet genbestillings Level,
 Lead Details,Emnedetaljer,
 Lead Owner Efficiency,Lederegenskaber Effektivitet,
-Loan Repayment and Closure,Tilbagebetaling og lukning af lån,
-Loan Security Status,Lånesikkerhedsstatus,
 Lost Opportunity,Mistet mulighed,
 Maintenance Schedules,Vedligeholdelsesplaner,
 Material Requests for which Supplier Quotations are not created,Materialeanmodninger under hvilke leverandørtilbud ikke er oprettet,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Måltællinger: {0},
 Payment Account is mandatory,Betalingskonto er obligatorisk,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Hvis dette er markeret, trækkes hele beløbet fra skattepligtig indkomst inden beregning af indkomstskat uden nogen erklæring eller bevisafgivelse.",
-Disbursement Details,Udbetalingsoplysninger,
 Material Request Warehouse,Materialeanmodningslager,
 Select warehouse for material requests,Vælg lager til materialeanmodninger,
 Transfer Materials For Warehouse {0},Overfør materiale til lager {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Tilbagebetal ikke-krævet beløb fra løn,
 Deduction from salary,Fradrag fra løn,
 Expired Leaves,Udløbne blade,
-Reference No,referencenummer,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,"Hårklippeprocent er den procentvise forskel mellem markedsværdien af lånesikkerheden og den værdi, der tilskrives lånets sikkerhed, når den anvendes som sikkerhed for dette lån.",
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,"Loan To Value Ratio udtrykker forholdet mellem lånebeløbet og værdien af den pantsatte sikkerhed. Et lånesikkerhedsmangel udløses, hvis dette falder under den specificerede værdi for et lån",
 If this is not checked the loan by default will be considered as a Demand Loan,"Hvis dette ikke er markeret, vil lånet som standard blive betragtet som et behovslån",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Denne konto bruges til at booke tilbagebetaling af lån fra låntager og også udbetale lån til låntager,
 This account is capital account which is used to allocate capital for loan disbursal account ,"Denne konto er en kapitalkonto, der bruges til at allokere kapital til udbetaling af lånekonto",
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Handling {0} tilhører ikke arbejdsordren {1},
 Print UOM after Quantity,Udskriv UOM efter antal,
 Set default {0} account for perpetual inventory for non stock items,"Indstil standard {0} -konto for evigvarende beholdning for varer, der ikke er på lager",
-Loan Security {0} added multiple times,Lånesikkerhed {0} tilføjet flere gange,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Lånepapirer med forskellige LTV-forhold kan ikke pantsættes mod et lån,
-Qty or Amount is mandatory for loan security!,Antal eller beløb er obligatorisk for lånesikkerhed!,
-Only submittted unpledge requests can be approved,Kun indsendte anmodninger om ikke-pant kan godkendes,
-Interest Amount or Principal Amount is mandatory,Rentebeløb eller hovedbeløb er obligatorisk,
-Disbursed Amount cannot be greater than {0},Udbetalt beløb kan ikke være større end {0},
-Row {0}: Loan Security {1} added multiple times,Række {0}: Lånesikkerhed {1} tilføjet flere gange,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,"Række nr. {0}: Underordnet vare bør ikke være en produktpakke. Fjern element {1}, og gem",
 Credit limit reached for customer {0},Kreditgrænse nået for kunde {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Kunne ikke automatisk oprette kunde på grund af følgende manglende obligatoriske felter:,
diff --git a/erpnext/translations/de.csv b/erpnext/translations/de.csv
index f9ec689..26a775e 100644
--- a/erpnext/translations/de.csv
+++ b/erpnext/translations/de.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Anwendbar, wenn das Unternehmen SpA, SApA oder SRL ist",
 Applicable if the company is a limited liability company,"Anwendbar, wenn die Gesellschaft eine Gesellschaft mit beschränkter Haftung ist",
 Applicable if the company is an Individual or a Proprietorship,"Anwendbar, wenn das Unternehmen eine Einzelperson oder ein Eigentum ist",
-Applicant,Antragsteller,
-Applicant Type,Bewerbertyp,
 Application of Funds (Assets),Mittelverwendung (Aktiva),
 Application period cannot be across two allocation records,Der Bewerbungszeitraum kann nicht über zwei Zuordnungssätze liegen,
 Application period cannot be outside leave allocation period,Beantragter Zeitraum kann nicht außerhalb der beantragten Urlaubszeit liegen,
@@ -1477,10 +1475,6 @@
 List of available Shareholders with folio numbers,Liste der verfügbaren Aktionäre mit Folio-Nummern,
 Loading Payment System,Zahlungssystem wird geladen,
 Loan,Darlehen,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Darlehensbetrag darf nicht höher als der Maximalbetrag {0} sein,
-Loan Application,Kreditantrag,
-Loan Management,Darlehensverwaltung,
-Loan Repayment,Darlehensrückzahlung,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,"Das Ausleihbeginndatum und die Ausleihdauer sind obligatorisch, um die Rechnungsdiskontierung zu speichern",
 Loans (Liabilities),Darlehen/Kredite (Verbindlichkeiten),
 Loans and Advances (Assets),Darlehen und Anzahlungen (Aktiva),
@@ -1618,7 +1612,6 @@
 Monday,Montag,
 Monthly,Monatlich,
 Monthly Distribution,Monatsbezogene Verteilung,
-Monthly Repayment Amount cannot be greater than Loan Amount,Monatlicher Rückzahlungsbetrag kann nicht größer sein als Darlehensbetrag,
 More,Weiter,
 More Information,Mehr Informationen,
 More than one selection for {0} not allowed,Mehr als eine Auswahl für {0} ist nicht zulässig,
@@ -1893,11 +1886,9 @@
 Pay {0} {1},Bezahle {0} {1},
 Payable,Zahlbar,
 Payable Account,Verbindlichkeiten-Konto,
-Payable Amount,Bezahlbarer Betrag,
 Payment,Bezahlung,
 Payment Cancelled. Please check your GoCardless Account for more details,Zahlung abgebrochen. Bitte überprüfen Sie Ihr GoCardless Konto für weitere Details,
 Payment Confirmation,Zahlungsbestätigung,
-Payment Date,Zahlungsdatum,
 Payment Days,Zahlungsziel,
 Payment Document,Zahlungsbeleg,
 Payment Due Date,Zahlungsstichtag,
@@ -1991,7 +1982,6 @@
 Please enter Purchase Receipt first,Bitte zuerst Kaufbeleg eingeben,
 Please enter Receipt Document,Bitte geben Sie Eingangsbeleg,
 Please enter Reference date,Bitte den Stichtag eingeben,
-Please enter Repayment Periods,Bitte geben Sie Laufzeiten,
 Please enter Reqd by Date,Bitte geben Sie Requd by Date ein,
 Please enter Woocommerce Server URL,Bitte geben Sie die Woocommerce Server URL ein,
 Please enter Write Off Account,Bitte Abschreibungskonto eingeben,
@@ -2003,7 +1993,6 @@
 Please enter parent cost center,Bitte übergeordnete Kostenstelle eingeben,
 Please enter quantity for Item {0},Bitte die Menge für Artikel {0} eingeben,
 Please enter relieving date.,Bitte Freistellungsdatum eingeben.,
-Please enter repayment Amount,Bitte geben Sie Rückzahlungsbetrag,
 Please enter valid Financial Year Start and End Dates,Bitte geben Sie für das Geschäftsjahr einen gültigen Start- und Endtermin an.,
 Please enter valid email address,Bitte geben Sie eine gültige Email Adresse an,
 Please enter {0} first,Bitte geben Sie zuerst {0} ein,
@@ -2166,7 +2155,6 @@
 Pricing Rules are further filtered based on quantity.,Preisregeln werden zudem nach Menge angewandt.,
 Primary Address Details,Primäre Adressendetails,
 Primary Contact Details,Primäre Kontaktdaten,
-Principal Amount,Nennbetrag,
 Print Format,Druckformat,
 Print IRS 1099 Forms,Drucken Sie IRS 1099-Formulare,
 Print Report Card,Berichtskarte drucken,
@@ -2557,7 +2545,6 @@
 Sample Collection,Mustersammlung,
 Sample quantity {0} cannot be more than received quantity {1},Die Beispielmenge {0} darf nicht mehr als die empfangene Menge {1} sein,
 Sanctioned,sanktionierte,
-Sanctioned Amount,Genehmigter Betrag,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Genehmigter Betrag kann nicht größer als geforderter Betrag in Zeile {0} sein.,
 Sand,Sand,
 Saturday,Samstag,
@@ -3058,7 +3045,7 @@
 To date can not be equal or less than from date,Bis heute kann nicht gleich oder weniger als von Datum sein,
 To date can not be less than from date,Bis heute kann nicht weniger als von Datum sein,
 To date can not greater than employee's relieving date,Bis heute kann nicht mehr als Entlastungsdatum des Mitarbeiters sein,
-"To filter based on Party, select Party Type first","Bitte Partei-Typ wählen um nach Partei zu filtern",
+"To filter based on Party, select Party Type first",Bitte Partei-Typ wählen um nach Partei zu filtern,
 "To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Um ERPNext bestmöglich zu nutzen, empfehlen wir Ihnen, sich die Zeit zu nehmen diese Hilfevideos anzusehen.",
 "To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Um Steuern im Artikelpreis in Zeile {0} einzubeziehen, müssen Steuern in den Zeilen {1} ebenfalls einbezogen sein",
 To make Customer based incentive schemes.,Um Kunden basierte Anreizsysteme zu machen.,
@@ -3548,7 +3535,6 @@
 {0} already has a Parent Procedure {1}.,{0} hat bereits eine übergeordnete Prozedur {1}.,
 API,API,
 Annual,Jährlich,
-Approved,Genehmigt,
 Change,Ändern,
 Contact Email,Kontakt-E-Mail,
 Export Type,Exporttyp,
@@ -3578,7 +3564,6 @@
 Account Value,Kontostand,
 Account is mandatory to get payment entries,"Das Konto ist obligatorisch, um Zahlungseinträge zu erhalten",
 Account is not set for the dashboard chart {0},Konto ist nicht für das Dashboard-Diagramm {0} festgelegt.,
-Account {0} does not belong to company {1},Konto {0} gehört nicht zu Firma {1},
 Account {0} does not exists in the dashboard chart {1},Konto {0} ist im Dashboard-Diagramm {1} nicht vorhanden,
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Konto: <b>{0}</b> ist in Bearbeitung und kann von Journal Entry nicht aktualisiert werden,
 Account: {0} is not permitted under Payment Entry,Konto: {0} ist unter Zahlungseingang nicht zulässig,
@@ -3589,7 +3574,6 @@
 Activity,Aktivität,
 Add / Manage Email Accounts.,Hinzufügen/Verwalten von E-Mail-Konten,
 Add Child,Unterpunkt hinzufügen,
-Add Loan Security,Darlehenssicherheit hinzufügen,
 Add Multiple,Mehrere hinzufügen,
 Add Participants,Teilnehmer hinzufügen,
 Add to Featured Item,Zum empfohlenen Artikel hinzufügen,
@@ -3600,15 +3584,12 @@
 Address Line 1,Adresse Zeile 1,
 Addresses,Adressen,
 Admission End Date should be greater than Admission Start Date.,Das Enddatum der Zulassung sollte größer sein als das Startdatum der Zulassung.,
-Against Loan,Gegen Darlehen,
-Against Loan:,Gegen Darlehen:,
 All,Alle,
 All bank transactions have been created,Alle Bankgeschäfte wurden angelegt,
 All the depreciations has been booked,Alle Abschreibungen wurden gebucht,
 Allocation Expired!,Zuteilung abgelaufen!,
 Allow Resetting Service Level Agreement from Support Settings.,Zurücksetzen des Service Level Agreements in den Support-Einstellungen zulassen.,
 Amount of {0} is required for Loan closure,Für den Kreditabschluss ist ein Betrag von {0} erforderlich,
-Amount paid cannot be zero,Der gezahlte Betrag darf nicht Null sein,
 Applied Coupon Code,Angewandter Gutscheincode,
 Apply Coupon Code,Gutscheincode anwenden,
 Appointment Booking,Terminreservierung,
@@ -3656,7 +3637,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,"Die Ankunftszeit kann nicht berechnet werden, da die Adresse des Fahrers fehlt.",
 Cannot Optimize Route as Driver Address is Missing.,"Route kann nicht optimiert werden, da die Fahreradresse fehlt.",
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Aufgabe {0} kann nicht abgeschlossen werden, da die abhängige Aufgabe {1} nicht abgeschlossen / abgebrochen wurde.",
-Cannot create loan until application is approved,"Darlehen kann erst erstellt werden, wenn der Antrag genehmigt wurde",
 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.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Artikel {0} in Zeile {1} kann nicht mehr als {2} in Rechnung gestellt werden. Um eine Überberechnung zuzulassen, legen Sie die Überberechnung in den Kontoeinstellungen fest",
 "Capacity Planning Error, planned start time can not be same as end time","Kapazitätsplanungsfehler, die geplante Startzeit darf nicht mit der Endzeit übereinstimmen",
@@ -3819,20 +3799,9 @@
 Less Than Amount,Weniger als der Betrag,
 Liabilities,Verbindlichkeiten,
 Loading...,Laden ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Der Darlehensbetrag übersteigt den maximalen Darlehensbetrag von {0} gemäß den vorgeschlagenen Wertpapieren,
 Loan Applications from customers and employees.,Kreditanträge von Kunden und Mitarbeitern.,
-Loan Disbursement,Kreditauszahlung,
 Loan Processes,Darlehensprozesse,
-Loan Security,Kreditsicherheit,
-Loan Security Pledge,Kreditsicherheitsversprechen,
-Loan Security Pledge Created : {0},Kreditsicherheitsversprechen Erstellt: {0},
-Loan Security Price,Kreditsicherheitspreis,
-Loan Security Price overlapping with {0},Kreditsicherheitspreis überschneidet sich mit {0},
-Loan Security Unpledge,Kreditsicherheit nicht verpfändet,
-Loan Security Value,Kreditsicherheitswert,
 Loan Type for interest and penalty rates,Darlehensart für Zins- und Strafzinssätze,
-Loan amount cannot be greater than {0},Der Darlehensbetrag darf nicht größer als {0} sein.,
-Loan is mandatory,Darlehen ist obligatorisch,
 Loans,Kredite,
 Loans provided to customers and employees.,Kredite an Kunden und Mitarbeiter.,
 Location,Ort,
@@ -3901,7 +3870,6 @@
 Pay,Zahlen,
 Payment Document Type,Zahlungsbelegart,
 Payment Name,Zahlungsname,
-Penalty Amount,Strafbetrag,
 Pending,Ausstehend,
 Performance,Performance,
 Period based On,Zeitraum basierend auf,
@@ -3923,10 +3891,8 @@
 Please login as a Marketplace User to edit this item.,"Bitte melden Sie sich als Marketplace-Benutzer an, um diesen Artikel zu bearbeiten.",
 Please login as a Marketplace User to report this item.,"Bitte melden Sie sich als Marketplace-Benutzer an, um diesen Artikel zu melden.",
 Please select <b>Template Type</b> to download template,"Bitte wählen Sie <b>Vorlagentyp</b> , um die Vorlage herunterzuladen",
-Please select Applicant Type first,Bitte wählen Sie zuerst den Antragstellertyp aus,
 Please select Customer first,Bitte wählen Sie zuerst den Kunden aus,
 Please select Item Code first,Bitte wählen Sie zuerst den Artikelcode,
-Please select Loan Type for company {0},Bitte wählen Sie Darlehensart für Firma {0},
 Please select a Delivery Note,Bitte wählen Sie einen Lieferschein,
 Please select a Sales Person for item: {0},Bitte wählen Sie einen Verkäufer für den Artikel: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Bitte wählen Sie eine andere Zahlungsmethode. Stripe unterstützt keine Transaktionen in der Währung &#39;{0}&#39;,
@@ -3942,8 +3908,6 @@
 Please setup a default bank account for company {0},Bitte richten Sie ein Standard-Bankkonto für das Unternehmen {0} ein.,
 Please specify,Bitte angeben,
 Please specify a {0},Bitte geben Sie eine {0} an,lead
-Pledge Status,Verpfändungsstatus,
-Pledge Time,Verpfändungszeit,
 Printing,Druck,
 Priority,Priorität,
 Priority has been changed to {0}.,Die Priorität wurde in {0} geändert.,
@@ -3951,7 +3915,6 @@
 Processing XML Files,XML-Dateien verarbeiten,
 Profitability,Rentabilität,
 Project,Projekt,
-Proposed Pledges are mandatory for secured Loans,Vorgeschlagene Zusagen sind für gesicherte Kredite obligatorisch,
 Provide the academic year and set the starting and ending date.,Geben Sie das akademische Jahr an und legen Sie das Start- und Enddatum fest.,
 Public token is missing for this bank,Für diese Bank fehlt ein öffentlicher Token,
 Publish,Veröffentlichen,
@@ -3967,7 +3930,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Der Kaufbeleg enthält keinen Artikel, für den die Option &quot;Probe aufbewahren&quot; aktiviert ist.",
 Purchase Return,Warenrücksendung,
 Qty of Finished Goods Item,Menge des Fertigerzeugnisses,
-Qty or Amount is mandatroy for loan security,Menge oder Betrag ist ein Mandat für die Kreditsicherheit,
 Quality Inspection required for Item {0} to submit,"Qualitätsprüfung erforderlich, damit Artikel {0} eingereicht werden kann",
 Quantity to Manufacture,Menge zu fertigen,
 Quantity to Manufacture can not be zero for the operation {0},Die herzustellende Menge darf für den Vorgang {0} nicht Null sein.,
@@ -3988,8 +3950,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Das Ablösungsdatum muss größer oder gleich dem Beitrittsdatum sein,
 Rename,Umbenennen,
 Rename Not Allowed,Umbenennen nicht erlaubt,
-Repayment Method is mandatory for term loans,Die Rückzahlungsmethode ist für befristete Darlehen obligatorisch,
-Repayment Start Date is mandatory for term loans,Das Startdatum der Rückzahlung ist für befristete Darlehen obligatorisch,
 Report Item,Artikel melden,
 Report this Item,Melden Sie diesen Artikel an,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Reservierte Menge für Lohnbearbeiter: Rohstoffmenge für Lohnbearbeiter.,
@@ -4022,8 +3982,6 @@
 Row({0}): {1} is already discounted in {2},Zeile ({0}): {1} ist bereits in {2} abgezinst.,
 Rows Added in {0},Zeilen hinzugefügt in {0},
 Rows Removed in {0},Zeilen in {0} entfernt,
-Sanctioned Amount limit crossed for {0} {1},Sanktionsbetrag für {0} {1} überschritten,
-Sanctioned Loan Amount already exists for {0} against company {1},Der genehmigte Darlehensbetrag für {0} gegen das Unternehmen {1} ist bereits vorhanden.,
 Save,speichern,
 Save Item,Artikel speichern,
 Saved Items,Gespeicherte Objekte,
@@ -4142,7 +4100,6 @@
 User {0} is disabled,Benutzer {0} ist deaktiviert,
 Users and Permissions,Benutzer und Berechtigungen,
 Vacancies cannot be lower than the current openings,Die offenen Stellen können nicht niedriger sein als die aktuellen Stellenangebote,
-Valid From Time must be lesser than Valid Upto Time.,Gültig ab Zeit muss kleiner sein als gültig bis Zeit.,
 Valuation Rate required for Item {0} at row {1},Bewertungssatz für Position {0} in Zeile {1} erforderlich,
 Values Out Of Sync,Werte nicht synchron,
 Vehicle Type is required if Mode of Transport is Road,"Der Fahrzeugtyp ist erforderlich, wenn der Verkehrsträger Straße ist",
@@ -4218,7 +4175,6 @@
 Add to Cart,in den Warenkorb legen,
 Days Since Last Order,Tage seit der letzten Bestellung,
 In Stock,Auf Lager,
-Loan Amount is mandatory,Der Darlehensbetrag ist obligatorisch,
 Mode Of Payment,Zahlungsart,
 No students Found,Keine Schüler gefunden,
 Not in Stock,Nicht lagernd,
@@ -4245,7 +4201,6 @@
 Group by,Gruppieren nach,
 In stock,Auf Lager,
 Item name,Artikelname,
-Loan amount is mandatory,Der Darlehensbetrag ist obligatorisch,
 Minimum Qty,Mindestmenge,
 More details,Weitere Details,
 Nature of Supplies,Art der Lieferungen,
@@ -4414,9 +4369,6 @@
 Total Completed Qty,Total Completed Qty,
 Qty to Manufacture,Herzustellende Menge,
 Repay From Salary can be selected only for term loans,Die Rückzahlung vom Gehalt kann nur für befristete Darlehen ausgewählt werden,
-No valid Loan Security Price found for {0},Für {0} wurde kein gültiger Kreditsicherheitspreis gefunden.,
-Loan Account and Payment Account cannot be same,Darlehenskonto und Zahlungskonto können nicht identisch sein,
-Loan Security Pledge can only be created for secured loans,Kreditsicherheitsversprechen können nur für besicherte Kredite erstellt werden,
 Social Media Campaigns,Social Media Kampagnen,
 From Date can not be greater than To Date,Von Datum darf nicht größer als Bis Datum sein,
 Please set a Customer linked to the Patient,Bitte legen Sie einen mit dem Patienten verknüpften Kunden fest,
@@ -6443,7 +6395,6 @@
 HR User,Nutzer Personalabteilung,
 Appointment Letter,Ernennungsschreiben,
 Job Applicant,Bewerber,
-Applicant Name,Bewerbername,
 Appointment Date,Termin,
 Appointment Letter Template,Termin Briefvorlage,
 Body,Körper,
@@ -7065,99 +7016,12 @@
 Sync in Progress,Synchronisierung läuft,
 Hub Seller Name,Hub-Verkäufer Name,
 Custom Data,Benutzerdefinierte Daten,
-Member,Mitglied,
-Partially Disbursed,teil~~POS=TRUNC Zahlter,
-Loan Closure Requested,Darlehensschließung beantragt,
 Repay From Salary,Repay von Gehalts,
-Loan Details,Darlehensdetails,
-Loan Type,Art des Darlehens,
-Loan Amount,Darlehensbetrag,
-Is Secured Loan,Ist besichertes Darlehen,
-Rate of Interest (%) / Year,Zinssatz (%) / Jahr,
-Disbursement Date,Valuta-,
-Disbursed Amount,Ausgezahlter Betrag,
-Is Term Loan,Ist Laufzeitdarlehen,
-Repayment Method,Rückzahlweg,
-Repay Fixed Amount per Period,Repay fixen Betrag pro Periode,
-Repay Over Number of Periods,Repay über Anzahl der Perioden,
-Repayment Period in Months,Rückzahlungsfrist in Monaten,
-Monthly Repayment Amount,Monatlicher Rückzahlungsbetrag,
-Repayment Start Date,Startdatum der Rückzahlung,
-Loan Security Details,Details zur Kreditsicherheit,
-Maximum Loan Value,Maximaler Kreditwert,
-Account Info,Kontoinformation,
-Loan Account,Kreditkonto,
-Interest Income Account,Zinserträge Konto,
-Penalty Income Account,Strafeinkommenskonto,
-Repayment Schedule,Rückzahlungsplan,
-Total Payable Amount,Zahlenden Gesamtbetrag,
-Total Principal Paid,Total Principal Paid,
-Total Interest Payable,Gesamtsumme der Zinszahlungen,
-Total Amount Paid,Gezahlte Gesamtsumme,
-Loan Manager,Kreditmanager,
-Loan Info,Darlehensinformation,
-Rate of Interest,Zinssatz,
-Proposed Pledges,Vorgeschlagene Zusagen,
-Maximum Loan Amount,Maximaler Darlehensbetrag,
-Repayment Info,Die Rückzahlung Info,
-Total Payable Interest,Insgesamt fällige Zinsen,
-Against Loan ,Gegen Darlehen,
-Loan Interest Accrual,Darlehenszinsabgrenzung,
-Amounts,Beträge,
-Pending Principal Amount,Ausstehender Hauptbetrag,
-Payable Principal Amount,Zu zahlender Kapitalbetrag,
-Paid Principal Amount,Bezahlter Hauptbetrag,
-Paid Interest Amount,Bezahlter Zinsbetrag,
-Process Loan Interest Accrual,Prozessdarlehenszinsabgrenzung,
-Repayment Schedule Name,Name des Rückzahlungsplans,
 Regular Payment,Reguläre Zahlung,
 Loan Closure,Kreditabschluss,
-Payment Details,Zahlungsdetails,
-Interest Payable,Zu zahlende Zinsen,
-Amount Paid,Zahlbetrag,
-Principal Amount Paid,Hauptbetrag bezahlt,
-Repayment Details,Rückzahlungsdetails,
-Loan Repayment Detail,Detail der Kreditrückzahlung,
-Loan Security Name,Name der Kreditsicherheit,
-Unit Of Measure,Maßeinheit,
-Loan Security Code,Kreditsicherheitscode,
-Loan Security Type,Kreditsicherheitstyp,
-Haircut %,Haarschnitt%,
-Loan  Details,Darlehensdetails,
-Unpledged,Nicht verpfändet,
-Pledged,Verpfändet,
-Partially Pledged,Teilweise verpfändet,
-Securities,Wertpapiere,
-Total Security Value,Gesamtsicherheitswert,
-Loan Security Shortfall,Kreditsicherheitsmangel,
-Loan ,Darlehen,
-Shortfall Time,Fehlzeit,
-America/New_York,Amerika / New York,
-Shortfall Amount,Fehlbetrag,
-Security Value ,Sicherheitswert,
-Process Loan Security Shortfall,Sicherheitslücke bei Prozessdarlehen,
-Loan To Value Ratio,Loan-to-Value-Verhältnis,
-Unpledge Time,Unpledge-Zeit,
-Loan Name,Darlehensname,
 Rate of Interest (%) Yearly,Zinssatz (%) Jahres,
-Penalty Interest Rate (%) Per Day,Strafzinssatz (%) pro Tag,
-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,
-Grace Period in Days,Gnadenfrist in Tagen,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,"Anzahl der Tage ab Fälligkeit, bis zu denen bei verspäteter Rückzahlung des Kredits keine Vertragsstrafe erhoben wird",
-Pledge,Versprechen,
-Post Haircut Amount,Post Haircut Betrag,
-Process Type,Prozesstyp,
-Update Time,Updatezeit,
-Proposed Pledge,Vorgeschlagenes Versprechen,
-Total Payment,Gesamtzahlung,
-Balance Loan Amount,Bilanz Darlehensbetrag,
-Is Accrued,Ist aufgelaufen,
 Salary Slip Loan,Gehaltsabrechnung Vorschuss,
 Loan Repayment Entry,Kreditrückzahlungseintrag,
-Sanctioned Loan Amount,Sanktionierter Darlehensbetrag,
-Sanctioned Amount Limit,Sanktioniertes Betragslimit,
-Unpledge,Unpledge,
-Haircut,Haarschnitt,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Zeitplan generieren,
 Schedules,Zeitablaufpläne,
@@ -7887,7 +7751,6 @@
 Update Series,Nummernkreise aktualisieren,
 Change the starting / current sequence number of an existing series.,Anfangs- / Ist-Wert eines Nummernkreises ändern.,
 Prefix,Präfix,
-Current Value,Aktueller Wert,
 This is the number of the last created transaction with this prefix,Dies ist die Nummer der letzten erstellten Transaktion mit diesem Präfix,
 Update Series Number,Nummernkreis-Wert aktualisieren,
 Quotation Lost Reason,Grund für verlorenes Angebotes,
@@ -8512,8 +8375,6 @@
 Itemwise Recommended Reorder Level,Empfohlener artikelbezogener Meldebestand,
 Lead Details,Einzelheiten zum Lead,
 Lead Owner Efficiency,Lead Besitzer Effizienz,
-Loan Repayment and Closure,Kreditrückzahlung und -schließung,
-Loan Security Status,Kreditsicherheitsstatus,
 Lost Opportunity,Verpasste Gelegenheit,
 Maintenance Schedules,Wartungspläne,
 Material Requests for which Supplier Quotations are not created,"Materialanfragen, für die keine Lieferantenangebote erstellt werden",
@@ -8604,7 +8465,6 @@
 Counts Targeted: {0},Zielzählungen: {0},
 Payment Account is mandatory,Zahlungskonto ist obligatorisch,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Wenn diese Option aktiviert ist, wird der gesamte Betrag vom steuerpflichtigen Einkommen abgezogen, bevor die Einkommensteuer ohne Erklärung oder Nachweis berechnet wird.",
-Disbursement Details,Auszahlungsdetails,
 Material Request Warehouse,Materialanforderungslager,
 Select warehouse for material requests,Wählen Sie Lager für Materialanfragen,
 Transfer Materials For Warehouse {0},Material für Lager übertragen {0},
@@ -8991,9 +8851,6 @@
 Repay unclaimed amount from salary,Nicht zurückgeforderten Betrag vom Gehalt zurückzahlen,
 Deduction from salary,Abzug vom Gehalt,
 Expired Leaves,Abgelaufene Blätter,
-Reference No,Referenznummer,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,"Der prozentuale Abschlag ist die prozentuale Differenz zwischen dem Marktwert des Darlehenssicherheitsvermögens und dem Wert, der diesem Darlehenssicherheitsvermögen zugeschrieben wird, wenn es als Sicherheit für dieses Darlehen verwendet wird.",
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,"Das Verhältnis von Kredit zu Wert drückt das Verhältnis des Kreditbetrags zum Wert des verpfändeten Wertpapiers aus. Ein Kreditsicherheitsdefizit wird ausgelöst, wenn dieser den für ein Darlehen angegebenen Wert unterschreitet",
 If this is not checked the loan by default will be considered as a Demand Loan,"Wenn dies nicht aktiviert ist, wird das Darlehen standardmäßig als Nachfragedarlehen betrachtet",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Dieses Konto wird zur Buchung von Kreditrückzahlungen vom Kreditnehmer und zur Auszahlung von Krediten an den Kreditnehmer verwendet,
 This account is capital account which is used to allocate capital for loan disbursal account ,"Dieses Konto ist ein Kapitalkonto, das zur Zuweisung von Kapital für das Darlehensauszahlungskonto verwendet wird",
@@ -9457,13 +9314,6 @@
 Operation {0} does not belong to the work order {1},Operation {0} gehört nicht zum Arbeitsauftrag {1},
 Print UOM after Quantity,UOM nach Menge drucken,
 Set default {0} account for perpetual inventory for non stock items,Legen Sie das Standardkonto {0} für die fortlaufende Bestandsaufnahme für nicht vorrätige Artikel fest,
-Loan Security {0} added multiple times,Darlehenssicherheit {0} mehrfach hinzugefügt,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Darlehen Wertpapiere mit unterschiedlichem LTV-Verhältnis können nicht gegen ein Darlehen verpfändet werden,
-Qty or Amount is mandatory for loan security!,Menge oder Betrag ist für die Kreditsicherheit obligatorisch!,
-Only submittted unpledge requests can be approved,Es können nur übermittelte nicht gekoppelte Anforderungen genehmigt werden,
-Interest Amount or Principal Amount is mandatory,Der Zinsbetrag oder der Kapitalbetrag ist obligatorisch,
-Disbursed Amount cannot be greater than {0},Der ausgezahlte Betrag darf nicht größer als {0} sein.,
-Row {0}: Loan Security {1} added multiple times,Zeile {0}: Darlehenssicherheit {1} wurde mehrmals hinzugefügt,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Zeile # {0}: Untergeordnetes Element sollte kein Produktpaket sein. Bitte entfernen Sie Artikel {1} und speichern Sie,
 Credit limit reached for customer {0},Kreditlimit für Kunde erreicht {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Der Kunde konnte aufgrund der folgenden fehlenden Pflichtfelder nicht automatisch erstellt werden:,
diff --git a/erpnext/translations/el.csv b/erpnext/translations/el.csv
index 75e4294..7042eaf 100644
--- a/erpnext/translations/el.csv
+++ b/erpnext/translations/el.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Ισχύει εάν η εταιρεία είναι SpA, SApA ή SRL",
 Applicable if the company is a limited liability company,Ισχύει εάν η εταιρεία είναι εταιρεία περιορισμένης ευθύνης,
 Applicable if the company is an Individual or a Proprietorship,Ισχύει εάν η εταιρεία είναι Πρόσωπο ή Ιδιοκτησία,
-Applicant,Αιτών,
-Applicant Type,Τύπος αιτούντος,
 Application of Funds (Assets),Εφαρμογή πόρων (ενεργητικό),
 Application period cannot be across two allocation records,Η περίοδος υποβολής αιτήσεων δεν μπορεί να εκτείνεται σε δύο εγγραφές κατανομής,
 Application period cannot be outside leave allocation period,Περίοδος υποβολής των αιτήσεων δεν μπορεί να είναι περίοδος κατανομής έξω άδειας,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Κατάλογος διαθέσιμων Μετόχων με αριθμούς φακέλων,
 Loading Payment System,Φόρτωση συστήματος πληρωμών,
 Loan,Δάνειο,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Ποσό δανείου δεν μπορεί να υπερβαίνει το μέγιστο ύψος των δανείων Ποσό {0},
-Loan Application,Αίτηση για δάνειο,
-Loan Management,Διαχείριση δανείων,
-Loan Repayment,Αποπληρωμή δανείου,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Η ημερομηνία έναρξης δανείου και η περίοδος δανείου είναι υποχρεωτικές για την αποθήκευση της έκπτωσης τιμολογίου,
 Loans (Liabilities),Δάνεια (παθητικό ),
 Loans and Advances (Assets),Δάνεια και προκαταβολές ( ενεργητικό ),
@@ -1611,7 +1605,6 @@
 Monday,Δευτέρα,
 Monthly,Μηνιαίος,
 Monthly Distribution,Μηνιαία διανομή,
-Monthly Repayment Amount cannot be greater than Loan Amount,Μηνιαία επιστροφή ποσό δεν μπορεί να είναι μεγαλύτερη από Ποσό δανείου,
 More,Περισσότερο,
 More Information,Περισσότερες πληροφορίες,
 More than one selection for {0} not allowed,Δεν επιτρέπονται περισσότερες από μία επιλογές για {0},
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Πληρώστε {0} {1},
 Payable,Πληρωτέος,
 Payable Account,Πληρωτέος λογαριασμός,
-Payable Amount,Πληρωτέο ποσό,
 Payment,Πληρωμή,
 Payment Cancelled. Please check your GoCardless Account for more details,Η πληρωμή ακυρώθηκε. Ελέγξτε το λογαριασμό GoCardless για περισσότερες λεπτομέρειες,
 Payment Confirmation,Επιβεβαίωση πληρωμής,
-Payment Date,Ημερομηνία πληρωμής,
 Payment Days,Ημέρες πληρωμής,
 Payment Document,Έγγραφο πληρωμής,
 Payment Due Date,Ημερομηνία λήξης προθεσμίας πληρωμής,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,Παρακαλώ εισάγετε πρώτα αποδεικτικό παραλαβής αγοράς,
 Please enter Receipt Document,"Παρακαλούμε, εισάγετε παραστατικό παραλαβής",
 Please enter Reference date,Παρακαλώ εισάγετε την ημερομηνία αναφοράς,
-Please enter Repayment Periods,"Παρακαλούμε, εισάγετε περιόδους αποπληρωμής",
 Please enter Reqd by Date,Πληκτρολογήστε Reqd by Date,
 Please enter Woocommerce Server URL,Πληκτρολογήστε τη διεύθυνση URL του διακομιστή Woocommerce,
 Please enter Write Off Account,Παρακαλώ εισάγετε λογαριασμό διαγραφών,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,Παρακαλώ εισάγετε γονικό κέντρο κόστους,
 Please enter quantity for Item {0},Παρακαλώ εισάγετε ποσότητα για το είδος {0},
 Please enter relieving date.,Παρακαλώ εισάγετε την ημερομηνία απαλλαγής,
-Please enter repayment Amount,"Παρακαλούμε, εισάγετε αποπληρωμής Ποσό",
 Please enter valid Financial Year Start and End Dates,Παρακαλώ εισάγετε ένα έγκυρο οικονομικό έτος ημερομηνίες έναρξης και λήξης,
 Please enter valid email address,Εισαγάγετε έγκυρη διεύθυνση ηλεκτρονικού ταχυδρομείου,
 Please enter {0} first,"Παρακαλούμε, εισάγετε {0} πρώτη",
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Οι κανόνες τιμολόγησης φιλτράρονται περαιτέρω με βάση την ποσότητα.,
 Primary Address Details,Στοιχεία κύριας διεύθυνσης,
 Primary Contact Details,Κύρια στοιχεία επικοινωνίας,
-Principal Amount,Κύριο ποσό,
 Print Format,Μορφοποίηση εκτύπωσης,
 Print IRS 1099 Forms,Εκτύπωση έντυπα IRS 1099,
 Print Report Card,Εκτύπωση καρτών αναφοράς,
@@ -2550,7 +2538,6 @@
 Sample Collection,Συλλογή δειγμάτων,
 Sample quantity {0} cannot be more than received quantity {1},Η ποσότητα δείγματος {0} δεν μπορεί να είναι μεγαλύτερη από την ποσότητα που ελήφθη {1},
 Sanctioned,Καθιερωμένος,
-Sanctioned Amount,Ποσό κύρωσης,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Κυρώσεις Το ποσό δεν μπορεί να είναι μεγαλύτερη από την αξίωση Ποσό στη σειρά {0}.,
 Sand,Αμμος,
 Saturday,Σάββατο,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} έχει ήδη μια διαδικασία γονέα {1}.,
 API,API,
 Annual,Ετήσιος,
-Approved,Εγκρίθηκε,
 Change,Αλλαγή,
 Contact Email,Email επαφής,
 Export Type,Τύπος εξαγωγής,
@@ -3571,7 +3557,6 @@
 Account Value,Αξία λογαριασμού,
 Account is mandatory to get payment entries,Ο λογαριασμός είναι υποχρεωτικός για την πραγματοποίηση εγγραφών πληρωμής,
 Account is not set for the dashboard chart {0},Ο λογαριασμός δεν έχει οριστεί για το διάγραμμα του πίνακα ελέγχου {0},
-Account {0} does not belong to company {1},Ο λογαριασμός {0} δεν ανήκει στη εταιρεία {1},
 Account {0} does not exists in the dashboard chart {1},Ο λογαριασμός {0} δεν υπάρχει στο γράφημα του πίνακα ελέγχου {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Λογαριασμός: Το <b>{0}</b> είναι κεφάλαιο Οι εργασίες βρίσκονται σε εξέλιξη και δεν μπορούν να ενημερωθούν με καταχώριση ημερολογίου,
 Account: {0} is not permitted under Payment Entry,Λογαριασμός: Η {0} δεν επιτρέπεται στην καταχώριση πληρωμής,
@@ -3582,7 +3567,6 @@
 Activity,Δραστηριότητα,
 Add / Manage Email Accounts.,Προσθήκη / διαχείριση λογαριασμών ηλεκτρονικού ταχυδρομείου.,
 Add Child,Προσθήκη παιδιού,
-Add Loan Security,Προσθέστε ασφάλεια δανείου,
 Add Multiple,Προσθήκη πολλαπλών,
 Add Participants,Προσθέστε τους συμμετέχοντες,
 Add to Featured Item,Προσθήκη στο Προτεινόμενο στοιχείο,
@@ -3593,15 +3577,12 @@
 Address Line 1,Γραμμή διεύθυνσης 1,
 Addresses,Διευθύνσεις,
 Admission End Date should be greater than Admission Start Date.,Η ημερομηνία λήξης εισαγωγής πρέπει να είναι μεγαλύτερη από την ημερομηνία έναρξης εισαγωγής.,
-Against Loan,Ενάντια στο Δάνειο,
-Against Loan:,Ενάντια δανείου:,
 All,Ολα,
 All bank transactions have been created,Όλες οι τραπεζικές συναλλαγές έχουν δημιουργηθεί,
 All the depreciations has been booked,Όλες οι αποσβέσεις έχουν εγγραφεί,
 Allocation Expired!,Η κατανομή έχει λήξει!,
 Allow Resetting Service Level Agreement from Support Settings.,Να επιτρέπεται η επαναφορά της συμφωνίας επιπέδου υπηρεσιών από τις ρυθμίσεις υποστήριξης.,
 Amount of {0} is required for Loan closure,Ποσό {0} απαιτείται για το κλείσιμο του δανείου,
-Amount paid cannot be zero,Το ποσό που καταβλήθηκε δεν μπορεί να είναι μηδέν,
 Applied Coupon Code,Κωδικός εφαρμοσμένου κουπονιού,
 Apply Coupon Code,Εφαρμόστε τον κωδικό κουπονιού,
 Appointment Booking,Κρατήσεις Κλήσεων,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,"Δεν είναι δυνατός ο υπολογισμός του χρόνου άφιξης, καθώς η διεύθυνση του οδηγού λείπει.",
 Cannot Optimize Route as Driver Address is Missing.,"Δεν είναι δυνατή η βελτιστοποίηση της διαδρομής, καθώς η διεύθυνση του οδηγού λείπει.",
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Δεν είναι δυνατή η ολοκλήρωση της εργασίας {0} καθώς η εξαρτημένη εργασία {1} δεν έχει συμπληρωθεί / ακυρωθεί.,
-Cannot create loan until application is approved,Δεν είναι δυνατή η δημιουργία δανείου έως ότου εγκριθεί η αίτηση,
 Cannot find a matching Item. Please select some other value for {0}.,Δεν μπορείτε να βρείτε μια αντίστοιχη Θέση. Παρακαλούμε επιλέξτε κάποια άλλη τιμή για το {0}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Δεν είναι δυνατή η υπερπαραγωγή στοιχείου {0} στη σειρά {1} περισσότερο από {2}. Για να επιτρέψετε την υπερχρέωση, παρακαλούμε να ορίσετε το επίδομα στις Ρυθμίσεις Λογαριασμών",
 "Capacity Planning Error, planned start time can not be same as end time","Σφάλμα προγραμματισμού χωρητικότητας, η προγραμματισμένη ώρα έναρξης δεν μπορεί να είναι ίδια με την ώρα λήξης",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Λιγότερο από το ποσό,
 Liabilities,Υποχρεώσεις,
 Loading...,Φόρτωση...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Το ποσό δανείου υπερβαίνει το μέγιστο ποσό δανείου {0} σύμφωνα με τις προτεινόμενες αξίες,
 Loan Applications from customers and employees.,Δάνειο Αιτήσεις από πελάτες και υπαλλήλους.,
-Loan Disbursement,Εκταμίευση δανείου,
 Loan Processes,Διαδικασίες δανεισμού,
-Loan Security,Ασφάλεια δανείου,
-Loan Security Pledge,Εγγύηση ασφάλειας δανείου,
-Loan Security Pledge Created : {0},Δανεισμός ασφαλείας δανείου Δημιουργήθηκε: {0},
-Loan Security Price,Τιμή Ασφαλείας Δανείου,
-Loan Security Price overlapping with {0},Τιμή ασφάλειας δανείου που επικαλύπτεται με {0},
-Loan Security Unpledge,Ασφάλεια δανείου,
-Loan Security Value,Τιμή Ασφαλείας Δανείου,
 Loan Type for interest and penalty rates,Τύπος δανείου για τόκους και ποινές,
-Loan amount cannot be greater than {0},Το ποσό δανείου δεν μπορεί να είναι μεγαλύτερο από {0},
-Loan is mandatory,Το δάνειο είναι υποχρεωτικό,
 Loans,Δάνεια,
 Loans provided to customers and employees.,Δάνεια που παρέχονται σε πελάτες και εργαζόμενους.,
 Location,Τοποθεσία,
@@ -3894,7 +3863,6 @@
 Pay,Πληρωμή,
 Payment Document Type,Τύπος εγγράφου πληρωμής,
 Payment Name,Όνομα πληρωμής,
-Penalty Amount,Ποσό ποινής,
 Pending,εκκρεμής,
 Performance,Εκτέλεση,
 Period based On,Η περίοδος βασίζεται σε,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,Συνδεθείτε ως χρήστης του Marketplace για να επεξεργαστείτε αυτό το στοιχείο.,
 Please login as a Marketplace User to report this item.,Συνδεθείτε ως χρήστης του Marketplace για να αναφέρετε αυτό το στοιχείο.,
 Please select <b>Template Type</b> to download template,Επιλέξτε <b>Τύπος προτύπου</b> για να κάνετε λήψη προτύπου,
-Please select Applicant Type first,Επιλέξτε πρώτα τον τύπο αιτούντος,
 Please select Customer first,Επιλέξτε πρώτα τον πελάτη,
 Please select Item Code first,Επιλέξτε πρώτα τον Κωδικό στοιχείου,
-Please select Loan Type for company {0},Επιλέξτε τύπο δανείου για εταιρεία {0},
 Please select a Delivery Note,Επιλέξτε ένα Σημείωμα Παράδοσης,
 Please select a Sales Person for item: {0},Επιλέξτε ένα πρόσωπο πωλήσεων για στοιχείο: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Επιλέξτε έναν άλλο τρόπο πληρωμής. Το Stripe δεν υποστηρίζει τις συναλλαγές στο νόμισμα &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Ρυθμίστε έναν προεπιλεγμένο τραπεζικό λογαριασμό για την εταιρεία {0},
 Please specify,Παρακαλώ ορίστε,
 Please specify a {0},Προσδιορίστε ένα {0},lead
-Pledge Status,Κατάσταση δέσμευσης,
-Pledge Time,Χρόνος δέσμευσης,
 Printing,Εκτύπωση,
 Priority,Προτεραιότητα,
 Priority has been changed to {0}.,Η προτεραιότητα έχει αλλάξει σε {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Επεξεργασία αρχείων XML,
 Profitability,Κερδοφορία,
 Project,Έργο,
-Proposed Pledges are mandatory for secured Loans,Οι Προτεινόμενες Υποχρεώσεις είναι υποχρεωτικές για τα εξασφαλισμένα Δάνεια,
 Provide the academic year and set the starting and ending date.,Παρέχετε το ακαδημαϊκό έτος και ορίστε την ημερομηνία έναρξης και λήξης.,
 Public token is missing for this bank,Δημόσιο διακριτικό λείπει για αυτήν την τράπεζα,
 Publish,Δημοσιεύω,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Η παραλαβή αγοράς δεν διαθέτει στοιχείο για το οποίο είναι ενεργοποιημένο το δείγμα διατήρησης δείγματος.,
 Purchase Return,Επιστροφή αγοράς,
 Qty of Finished Goods Item,Ποσότητα τεμαχίου τελικών προϊόντων,
-Qty or Amount is mandatroy for loan security,Το Ποσό ή το Ποσό είναι απαραίτητο για την ασφάλεια του δανείου,
 Quality Inspection required for Item {0} to submit,Επιθεώρηση ποιότητας που απαιτείται για το στοιχείο {0} για υποβολή,
 Quantity to Manufacture,Ποσότητα προς παραγωγή,
 Quantity to Manufacture can not be zero for the operation {0},Η ποσότητα παραγωγής δεν μπορεί να είναι μηδενική για τη λειτουργία {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Η ημερομηνία ανακούφισης πρέπει να είναι μεγαλύτερη ή ίση με την Ημερομηνία Σύνδεσης,
 Rename,Μετονομασία,
 Rename Not Allowed,Μετονομασία Δεν επιτρέπεται,
-Repayment Method is mandatory for term loans,Η μέθοδος αποπληρωμής είναι υποχρεωτική για δάνεια με διάρκεια,
-Repayment Start Date is mandatory for term loans,Η ημερομηνία έναρξης αποπληρωμής είναι υποχρεωτική για τα δάνεια με διάρκεια,
 Report Item,Στοιχείο αναφοράς,
 Report this Item,Αναφέρετε αυτό το στοιχείο,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Προβλεπόμενη ποσότητα για υπεργολαβία: Ποσότητα πρώτων υλών για την πραγματοποίηση εργασιών υπεργολαβίας.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Η σειρά ({0}): {1} είναι ήδη προεξοφλημένη στο {2},
 Rows Added in {0},Γραμμές που προστέθηκαν στο {0},
 Rows Removed in {0},Οι σειρές έχουν καταργηθεί στο {0},
-Sanctioned Amount limit crossed for {0} {1},Το όριο ποσού που έχει κυρωθεί για {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},Ποσό δανείου που έχει κυρωθεί υπάρχει ήδη για {0} έναντι εταιρείας {1},
 Save,Αποθήκευση,
 Save Item,Αποθήκευση στοιχείου,
 Saved Items,Αποθηκευμένα στοιχεία,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Ο χρήστης {0} είναι απενεργοποιημένος,
 Users and Permissions,Χρήστες και δικαιώματα,
 Vacancies cannot be lower than the current openings,Οι κενές θέσεις εργασίας δεν μπορούν να είναι χαμηλότερες από τα τρέχοντα ανοίγματα,
-Valid From Time must be lesser than Valid Upto Time.,Το Valid From Time πρέπει να είναι μικρότερο από το Valid Upto Time.,
 Valuation Rate required for Item {0} at row {1},Απαιτείται συντελεστής αποτίμησης για το στοιχείο {0} στη σειρά {1},
 Values Out Of Sync,Τιμές εκτός συγχρονισμού,
 Vehicle Type is required if Mode of Transport is Road,Ο τύπος οχήματος απαιτείται εάν ο τρόπος μεταφοράς είναι οδικώς,
@@ -4211,7 +4168,6 @@
 Add to Cart,Προσθήκη στο καλάθι,
 Days Since Last Order,Ημέρες από την τελευταία σειρά,
 In Stock,Σε απόθεμα,
-Loan Amount is mandatory,Το ποσό δανείου είναι υποχρεωτικό,
 Mode Of Payment,Τρόπος Πληρωμής,
 No students Found,Δεν βρέθηκαν μαθητές,
 Not in Stock,Όχι στο Αποθεματικό,
@@ -4240,7 +4196,6 @@
 Group by,Ομαδοποίηση κατά,
 In stock,Σε απόθεμα,
 Item name,Όνομα είδους,
-Loan amount is mandatory,Το ποσό δανείου είναι υποχρεωτικό,
 Minimum Qty,Ελάχιστη ποσότητα,
 More details,Περισσότερες λεπτομέρειες,
 Nature of Supplies,Φύση των αναλωσίμων,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Συνολική ποσότητα που ολοκληρώθηκε,
 Qty to Manufacture,Ποσότητα για κατασκευή,
 Repay From Salary can be selected only for term loans,Η αποπληρωμή από το μισθό μπορεί να επιλεγεί μόνο για δάνεια διάρκειας,
-No valid Loan Security Price found for {0},Δεν βρέθηκε έγκυρη τιμή ασφάλειας δανείου για {0},
-Loan Account and Payment Account cannot be same,Ο λογαριασμός δανείου και ο λογαριασμός πληρωμής δεν μπορούν να είναι ίδιοι,
-Loan Security Pledge can only be created for secured loans,Η εγγύηση δανείου μπορεί να δημιουργηθεί μόνο για εξασφαλισμένα δάνεια,
 Social Media Campaigns,Εκστρατείες κοινωνικών μέσων,
 From Date can not be greater than To Date,Η ημερομηνία δεν μπορεί να είναι μεγαλύτερη από την ημερομηνία,
 Please set a Customer linked to the Patient,Ορίστε έναν Πελάτη συνδεδεμένο με τον Ασθενή,
@@ -6437,7 +6389,6 @@
 HR User,Χρήστης ανθρωπίνου δυναμικού,
 Appointment Letter,Επιστολή διορισμού,
 Job Applicant,Αιτών εργασία,
-Applicant Name,Όνομα αιτούντος,
 Appointment Date,Ημερομηνία ραντεβού,
 Appointment Letter Template,Πρότυπο επιστολής συνάντησης,
 Body,Σώμα,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Συγχρονισμός σε εξέλιξη,
 Hub Seller Name,Όνομα πωλητή Hub,
 Custom Data,Προσαρμοσμένα δεδομένα,
-Member,Μέλος,
-Partially Disbursed,"Εν μέρει, προέβη στη χορήγηση",
-Loan Closure Requested,Απαιτείται κλείσιμο δανείου,
 Repay From Salary,Επιστρέψει από το μισθό,
-Loan Details,Λεπτομέρειες δανείου,
-Loan Type,Τύπος Δανείου,
-Loan Amount,Ποσο δανειου,
-Is Secured Loan,Είναι εξασφαλισμένο δάνειο,
-Rate of Interest (%) / Year,Επιτόκιο (%) / Έτος,
-Disbursement Date,Ημερομηνία εκταμίευσης,
-Disbursed Amount,Ποσό εκταμιεύσεων,
-Is Term Loan,Είναι δάνειο διάρκειας,
-Repayment Method,Τρόπος αποπληρωμής,
-Repay Fixed Amount per Period,Εξοφλήσει σταθερό ποσό ανά Περίοδο,
-Repay Over Number of Periods,Εξοφλήσει Πάνω αριθμός των περιόδων,
-Repayment Period in Months,Αποπληρωμή Περίοδος σε μήνες,
-Monthly Repayment Amount,Μηνιαία επιστροφή Ποσό,
-Repayment Start Date,Ημερομηνία έναρξης επιστροφής,
-Loan Security Details,Στοιχεία Ασφαλείας Δανείου,
-Maximum Loan Value,Μέγιστη τιμή δανείου,
-Account Info,Πληροφορίες λογαριασμού,
-Loan Account,Λογαριασμός δανείου,
-Interest Income Account,Ο λογαριασμός Έσοδα από Τόκους,
-Penalty Income Account,Λογαριασμός εισοδήματος,
-Repayment Schedule,Χρονοδιάγραμμα αποπληρωμής,
-Total Payable Amount,Συνολικό πληρωτέο ποσό,
-Total Principal Paid,Συνολική πληρωμή βασικού ποσού,
-Total Interest Payable,Σύνολο Τόκοι πληρωτέοι,
-Total Amount Paid,Συνολικό ποσό που καταβλήθηκε,
-Loan Manager,Διευθυντής Δανείων,
-Loan Info,Πληροφορίες δανείων,
-Rate of Interest,Βαθμός ενδιαφέροντος,
-Proposed Pledges,Προτεινόμενες υποσχέσεις,
-Maximum Loan Amount,Ανώτατο ποσό του δανείου,
-Repayment Info,Πληροφορίες αποπληρωμής,
-Total Payable Interest,Σύνολο πληρωτέοι τόκοι,
-Against Loan ,Ενάντια στο δάνειο,
-Loan Interest Accrual,Δαπάνη δανεισμού,
-Amounts,Ποσά,
-Pending Principal Amount,Εκκρεμεί το κύριο ποσό,
-Payable Principal Amount,Βασικό ποσό πληρωτέο,
-Paid Principal Amount,Πληρωμένο κύριο ποσό,
-Paid Interest Amount,Ποσό καταβεβλημένου τόκου,
-Process Loan Interest Accrual,Διαδικασία δανεισμού διαδικασιών,
-Repayment Schedule Name,Όνομα προγράμματος αποπληρωμής,
 Regular Payment,Τακτική Πληρωμή,
 Loan Closure,Κλείσιμο δανείου,
-Payment Details,Οι λεπτομέρειες πληρωμής,
-Interest Payable,Πληρωτέος τόκος,
-Amount Paid,Πληρωμένο Ποσό,
-Principal Amount Paid,Βασικό ποσό που καταβλήθηκε,
-Repayment Details,Λεπτομέρειες αποπληρωμής,
-Loan Repayment Detail,Λεπτομέρεια αποπληρωμής δανείου,
-Loan Security Name,Όνομα ασφάλειας δανείου,
-Unit Of Measure,Μονάδα μέτρησης,
-Loan Security Code,Κωδικός ασφαλείας δανείου,
-Loan Security Type,Τύπος ασφαλείας δανείου,
-Haircut %,ΚΟΥΡΕΜΑ ΜΑΛΛΙΩΝ %,
-Loan  Details,Λεπτομέρειες δανείου,
-Unpledged,Χωρίς υποσχέσεις,
-Pledged,Δεσμεύτηκε,
-Partially Pledged,Εν μέρει δέσμευση,
-Securities,Χρεόγραφα,
-Total Security Value,Συνολική αξία ασφαλείας,
-Loan Security Shortfall,Σφάλμα ασφάλειας δανείων,
-Loan ,Δάνειο,
-Shortfall Time,Χρόνος έλλειψης,
-America/New_York,Αμερική / New_York,
-Shortfall Amount,Ποσό ελλείψεων,
-Security Value ,Τιμή ασφαλείας,
-Process Loan Security Shortfall,Διαδικασία έλλειψης ασφάλειας δανείων διαδικασίας,
-Loan To Value Ratio,Αναλογία δανείου προς αξία,
-Unpledge Time,Χρόνος αποποίησης,
-Loan Name,δάνειο Όνομα,
 Rate of Interest (%) Yearly,Επιτόκιο (%) Ετήσιο,
-Penalty Interest Rate (%) Per Day,Επιτόκιο ποινής (%) ανά ημέρα,
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Το επιτόκιο κυρώσεων επιβάλλεται σε ημερήσια βάση σε περίπτωση καθυστερημένης εξόφλησης,
-Grace Period in Days,Περίοδος χάριτος στις Ημέρες,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,Αριθμός ημερών από την ημερομηνία λήξης έως την οποία δεν θα επιβληθεί ποινή σε περίπτωση καθυστέρησης στην αποπληρωμή δανείου,
-Pledge,Ενέχυρο,
-Post Haircut Amount,Δημοσίευση ποσού Haircut,
-Process Type,Τύπος διαδικασίας,
-Update Time,Ώρα ενημέρωσης,
-Proposed Pledge,Προτεινόμενη υπόσχεση,
-Total Payment,Σύνολο πληρωμών,
-Balance Loan Amount,Υπόλοιπο Ποσό Δανείου,
-Is Accrued,Είναι δεδουλευμένη,
 Salary Slip Loan,Δανείου μισθοδοσίας,
 Loan Repayment Entry,Καταχώρηση αποπληρωμής δανείου,
-Sanctioned Loan Amount,Ποσό δανείου που έχει κυρωθεί,
-Sanctioned Amount Limit,Καθορισμένο όριο ποσού,
-Unpledge,Αποποίηση,
-Haircut,ΚΟΥΡΕΜΑ ΜΑΛΛΙΩΝ,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Δημιούργησε πρόγραμμα,
 Schedules,Χρονοδιαγράμματα,
@@ -7885,7 +7749,6 @@
 Update Series,Ενημέρωση σειράς,
 Change the starting / current sequence number of an existing series.,Αλλάξτε τον αρχικό/τρέχων αύξοντα αριθμός μιας υπάρχουσας σειράς.,
 Prefix,Πρόθεμα,
-Current Value,Τρέχουσα αξία,
 This is the number of the last created transaction with this prefix,Αυτός είναι ο αριθμός της τελευταίας συναλλαγής που δημιουργήθηκε με αυτό το πρόθεμα,
 Update Series Number,Ενημέρωση αριθμού σειράς,
 Quotation Lost Reason,Λόγος απώλειας προσφοράς,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Προτεινόμενο επίπεδο επαναπαραγγελίας ανά είδος,
 Lead Details,Λεπτομέρειες Σύστασης,
 Lead Owner Efficiency,Ηγετική απόδοση του ιδιοκτήτη,
-Loan Repayment and Closure,Επιστροφή και κλείσιμο δανείου,
-Loan Security Status,Κατάσταση ασφάλειας δανείου,
 Lost Opportunity,Χαμένη Ευκαιρία,
 Maintenance Schedules,Χρονοδιαγράμματα συντήρησης,
 Material Requests for which Supplier Quotations are not created,Αιτήσεις υλικού για τις οποίες δεν έχουν δημιουργηθεί προσφορές προμηθευτή,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Πλήθος στόχευσης: {0},
 Payment Account is mandatory,Ο λογαριασμός πληρωμής είναι υποχρεωτικός,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Εάν ελεγχθεί, το πλήρες ποσό θα αφαιρεθεί από το φορολογητέο εισόδημα πριν από τον υπολογισμό του φόρου εισοδήματος χωρίς καμία δήλωση ή υποβολή αποδεικτικών στοιχείων.",
-Disbursement Details,Λεπτομέρειες εκταμίευσης,
 Material Request Warehouse,Αποθήκη αιτήματος υλικού,
 Select warehouse for material requests,Επιλέξτε αποθήκη για αιτήματα υλικών,
 Transfer Materials For Warehouse {0},Μεταφορά υλικών για αποθήκη {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Επιστρέψτε το ποσό που δεν ζητήθηκε από το μισθό,
 Deduction from salary,Έκπτωση από το μισθό,
 Expired Leaves,Έληξε φύλλα,
-Reference No,Αριθμός αναφοράς,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,Το ποσοστό κούρεμα είναι η ποσοστιαία διαφορά μεταξύ της αγοραίας αξίας της Ασφάλειας Δανείου και της αξίας που αποδίδεται σε αυτήν την Ασφάλεια Δανείου όταν χρησιμοποιείται ως εγγύηση για αυτό το δάνειο.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,Loan to Value Ratio εκφράζει την αναλογία του ποσού του δανείου προς την αξία του εγγυημένου τίτλου. Ένα έλλειμμα ασφάλειας δανείου θα ενεργοποιηθεί εάν αυτό πέσει κάτω από την καθορισμένη τιμή για οποιοδήποτε δάνειο,
 If this is not checked the loan by default will be considered as a Demand Loan,"Εάν αυτό δεν ελεγχθεί, το δάνειο από προεπιλογή θα θεωρείται ως Δάνειο Ζήτησης",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Αυτός ο λογαριασμός χρησιμοποιείται για την κράτηση αποπληρωμών δανείου από τον δανειολήπτη και επίσης για την εκταμίευση δανείων προς τον οφειλέτη,
 This account is capital account which is used to allocate capital for loan disbursal account ,Αυτός ο λογαριασμός είναι λογαριασμός κεφαλαίου που χρησιμοποιείται για την κατανομή κεφαλαίου για λογαριασμό εκταμίευσης δανείου,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Η λειτουργία {0} δεν ανήκει στην εντολή εργασίας {1},
 Print UOM after Quantity,Εκτύπωση UOM μετά την ποσότητα,
 Set default {0} account for perpetual inventory for non stock items,Ορίστε τον προεπιλεγμένο λογαριασμό {0} για διαρκές απόθεμα για μη αποθέματα,
-Loan Security {0} added multiple times,Η ασφάλεια δανείου {0} προστέθηκε πολλές φορές,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Τα δανειακά χρεόγραφα με διαφορετική αναλογία LTV δεν μπορούν να δεσμευτούν έναντι ενός δανείου,
-Qty or Amount is mandatory for loan security!,Το ποσό ή το ποσό είναι υποχρεωτικό για την ασφάλεια δανείου!,
-Only submittted unpledge requests can be approved,Μπορούν να εγκριθούν μόνο αιτήματα αποσύνδεσης που έχουν υποβληθεί,
-Interest Amount or Principal Amount is mandatory,Ποσό τόκου ή κύριο ποσό είναι υποχρεωτικό,
-Disbursed Amount cannot be greater than {0},Το εκταμιευμένο ποσό δεν μπορεί να είναι μεγαλύτερο από {0},
-Row {0}: Loan Security {1} added multiple times,Σειρά {0}: Ασφάλεια δανείου {1} προστέθηκε πολλές φορές,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Σειρά # {0}: Το θυγατρικό στοιχείο δεν πρέπει να είναι πακέτο προϊόντων. Καταργήστε το στοιχείο {1} και αποθηκεύστε,
 Credit limit reached for customer {0},Συμπληρώθηκε το πιστωτικό όριο για τον πελάτη {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Δεν ήταν δυνατή η αυτόματη δημιουργία πελάτη λόγω των ακόλουθων υποχρεωτικών πεδίων που λείπουν:,
diff --git a/erpnext/translations/es-PE.csv b/erpnext/translations/es-PE.csv
index 11f5484..7ebbc36 100644
--- a/erpnext/translations/es-PE.csv
+++ b/erpnext/translations/es-PE.csv
@@ -309,7 +309,6 @@
 This Item is a Template and cannot be used in transactions. Item attributes will be copied over into the variants unless 'No Copy' is set,Este artículo es una plantilla y no se puede utilizar en las transacciones. Atributos artículo se copiarán en las variantes menos que se establece 'No Copy'
 Target  Amount,Monto Objtetivo,
 S.O. No.,S.O. No.
-Sanctioned Amount,importe sancionado,
 "If the account is frozen, entries are allowed to restricted users.","Si la cuenta está congelada , las entradas se les permite a los usuarios restringidos."
 Sales Taxes and Charges,Los impuestos y cargos de venta,
 Warehouse {0} can not be deleted as quantity exists for Item {1},Almacén {0} no se puede eliminar mientras exista cantidad de artículo {1}
diff --git a/erpnext/translations/es.csv b/erpnext/translations/es.csv
index 432982b..90a4514 100644
--- a/erpnext/translations/es.csv
+++ b/erpnext/translations/es.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Aplicable si la empresa es SpA, SApA o SRL",
 Applicable if the company is a limited liability company,Aplicable si la empresa es una sociedad de responsabilidad limitada.,
 Applicable if the company is an Individual or a Proprietorship,Aplicable si la empresa es un individuo o un propietario,
-Applicant,Solicitante,
-Applicant Type,Tipo de solicitante,
 Application of Funds (Assets),UTILIZACIÓN DE FONDOS (ACTIVOS),
 Application period cannot be across two allocation records,El período de solicitud no puede estar en dos registros de asignación,
 Application period cannot be outside leave allocation period,Período de aplicación no puede ser período de asignación licencia fuera,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Lista de Accionistas disponibles con números de folio,
 Loading Payment System,Cargando el Sistema de Pago,
 Loan,Préstamo,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Monto del préstamo no puede exceder cantidad máxima del préstamo de {0},
-Loan Application,Solicitud de préstamo,
-Loan Management,Gestion de prestamos,
-Loan Repayment,Pago de prestamo,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,La fecha de inicio del préstamo y el período de préstamo son obligatorios para guardar el descuento de facturas,
 Loans (Liabilities),Préstamos (Pasivos),
 Loans and Advances (Assets),INVERSIONES Y PRESTAMOS,
@@ -1611,7 +1605,6 @@
 Monday,Lunes,
 Monthly,Mensual,
 Monthly Distribution,Distribución mensual,
-Monthly Repayment Amount cannot be greater than Loan Amount,Cantidad mensual La devolución no puede ser mayor que monto del préstamo,
 More,Más,
 More Information,Mas información,
 More than one selection for {0} not allowed,Más de una selección para {0} no permitida,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Pagar {0} {1},
 Payable,Pagadero,
 Payable Account,Cuenta por pagar,
-Payable Amount,Cantidad a pagar,
 Payment,Pago,
 Payment Cancelled. Please check your GoCardless Account for more details,Pago cancelado Verifique su Cuenta GoCardless para más detalles,
 Payment Confirmation,Confirmación de pago,
-Payment Date,Fecha de pago,
 Payment Days,Días de pago,
 Payment Document,Documento de pago,
 Payment Due Date,Fecha de pago,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,"Por favor, ingrese primero el recibo de compra",
 Please enter Receipt Document,"Por favor, introduzca recepción de documentos",
 Please enter Reference date,"Por favor, introduzca la fecha de referencia",
-Please enter Repayment Periods,"Por favor, introduzca plazos de amortización",
 Please enter Reqd by Date,Ingrese Requerido por Fecha,
 Please enter Woocommerce Server URL,Ingrese la URL del servidor WooCommerce,
 Please enter Write Off Account,"Por favor, ingrese la cuenta de desajuste",
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,"Por favor, ingrese el centro de costos principal",
 Please enter quantity for Item {0},"Por favor, ingrese la cantidad para el producto {0}",
 Please enter relieving date.,"Por favor, introduzca la fecha de relevo",
-Please enter repayment Amount,"Por favor, ingrese el monto de amortización",
 Please enter valid Financial Year Start and End Dates,"Por favor, introduzca fecha de Inicio y Fin válidas para el Año Fiscal",
 Please enter valid email address,Por favor ingrese una dirección de correo electrónico válida,
 Please enter {0} first,"Por favor, introduzca {0} primero",
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Las 'reglas de precios' se pueden filtrar en base a la cantidad.,
 Primary Address Details,Detalles de la Dirección Primaria,
 Primary Contact Details,Detalles de Contacto Principal,
-Principal Amount,Cantidad principal,
 Print Format,Formatos de Impresión,
 Print IRS 1099 Forms,Imprimir formularios del IRS 1099,
 Print Report Card,Imprimir Boleta de Calificaciones,
@@ -2550,7 +2538,6 @@
 Sample Collection,Coleccion de muestra,
 Sample quantity {0} cannot be more than received quantity {1},La Cantidad de Muestra {0} no puede ser más que la Cantidad Recibida {1},
 Sanctioned,Sancionada,
-Sanctioned Amount,Monto sancionado,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Importe sancionado no puede ser mayor que el importe del reclamo en la línea {0}.,
 Sand,Arena,
 Saturday,Sábado,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} ya tiene un Procedimiento principal {1}.,
 API,API,
 Annual,Anual,
-Approved,Aprobado,
 Change,Cambio,
 Contact Email,Correo electrónico de contacto,
 Export Type,Tipo de Exportación,
@@ -3571,7 +3557,6 @@
 Account Value,Valor de la cuenta,
 Account is mandatory to get payment entries,La cuenta es obligatoria para obtener entradas de pago,
 Account is not set for the dashboard chart {0},La cuenta no está configurada para el cuadro de mandos {0},
-Account {0} does not belong to company {1},Cuenta {0} no pertenece a la Compañía {1},
 Account {0} does not exists in the dashboard chart {1},La cuenta {0} no existe en el cuadro de mandos {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Cuenta: <b>{0}</b> es capital Trabajo en progreso y no puede actualizarse mediante Entrada de diario,
 Account: {0} is not permitted under Payment Entry,Cuenta: {0} no está permitido en Entrada de pago,
@@ -3582,7 +3567,6 @@
 Activity,Actividad,
 Add / Manage Email Accounts.,Añadir / Administrar cuentas de correo electrónico.,
 Add Child,Agregar hijo,
-Add Loan Security,Agregar seguridad de préstamo,
 Add Multiple,Añadir Multiple,
 Add Participants,Agregar Participantes,
 Add to Featured Item,Agregar al artículo destacado,
@@ -3593,15 +3577,12 @@
 Address Line 1,Dirección línea 1,
 Addresses,Direcciones,
 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.,
-Against Loan,Contra préstamo,
-Against Loan:,Contra préstamo:,
 All,Todos,
 All bank transactions have been created,Se han creado todas las transacciones bancarias.,
 All the depreciations has been booked,Todas las amortizaciones han sido registradas,
 Allocation Expired!,Asignación expirada!,
 Allow Resetting Service Level Agreement from Support Settings.,Permitir restablecer el acuerdo de nivel de servicio desde la configuración de soporte.,
 Amount of {0} is required for Loan closure,Se requiere una cantidad de {0} para el cierre del préstamo,
-Amount paid cannot be zero,El monto pagado no puede ser cero,
 Applied Coupon Code,Código de cupón aplicado,
 Apply Coupon Code,Aplicar código de cupón,
 Appointment Booking,Reserva de citas,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,No se puede calcular la hora de llegada porque falta la dirección del conductor.,
 Cannot Optimize Route as Driver Address is Missing.,No se puede optimizar la ruta porque falta la dirección del conductor.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,No se puede completar la tarea {0} ya que su tarea dependiente {1} no se ha completado / cancelado.,
-Cannot create loan until application is approved,No se puede crear un préstamo hasta que se apruebe la solicitud.,
 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}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","No se puede facturar en exceso el artículo {0} en la fila {1} más de {2}. Para permitir una facturación excesiva, configure la asignación en la Configuración de cuentas",
 "Capacity Planning Error, planned start time can not be same as end time","Error de planificación de capacidad, la hora de inicio planificada no puede ser la misma que la hora de finalización",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Menos de la cantidad,
 Liabilities,Pasivo,
 Loading...,Cargando ...,
-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,
 Loan Applications from customers and employees.,Solicitudes de préstamos de clientes y empleados.,
-Loan Disbursement,Desembolso del préstamo,
 Loan Processes,Procesos de préstamo,
-Loan Security,Préstamo de seguridad,
-Loan Security Pledge,Compromiso de seguridad del préstamo,
-Loan Security Pledge Created : {0},Compromiso de seguridad del préstamo creado: {0},
-Loan Security Price,Precio de seguridad del préstamo,
-Loan Security Price overlapping with {0},Precio de seguridad del préstamo superpuesto con {0},
-Loan Security Unpledge,Préstamo Seguridad Desplegar,
-Loan Security Value,Valor de seguridad del préstamo,
 Loan Type for interest and penalty rates,Tipo de préstamo para tasas de interés y multas,
-Loan amount cannot be greater than {0},El monto del préstamo no puede ser mayor que {0},
-Loan is mandatory,El préstamo es obligatorio.,
 Loans,Préstamos,
 Loans provided to customers and employees.,Préstamos otorgados a clientes y empleados.,
 Location,Ubicación,
@@ -3894,7 +3863,6 @@
 Pay,Pagar,
 Payment Document Type,Tipo de documento de pago,
 Payment Name,Nombre de pago,
-Penalty Amount,Importe de la pena,
 Pending,Pendiente,
 Performance,Actuación,
 Period based On,Período basado en,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,Inicie sesión como usuario de Marketplace para editar este artículo.,
 Please login as a Marketplace User to report this item.,Inicie sesión como usuario de Marketplace para informar este artículo.,
 Please select <b>Template Type</b> to download template,Seleccione <b>Tipo de plantilla</b> para descargar la plantilla,
-Please select Applicant Type first,Seleccione primero el tipo de solicitante,
 Please select Customer first,Por favor seleccione Cliente primero,
 Please select Item Code first,Seleccione primero el código del artículo,
-Please select Loan Type for company {0},Seleccione Tipo de préstamo para la empresa {0},
 Please select a Delivery Note,Por favor seleccione una nota de entrega,
 Please select a Sales Person for item: {0},Seleccione una persona de ventas para el artículo: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Seleccione otro método de pago. Stripe no admite transacciones en moneda &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Configure una cuenta bancaria predeterminada para la empresa {0},
 Please specify,"Por favor, especifique",
 Please specify a {0},"Por favor, especifique un {0}",lead
-Pledge Status,Estado de compromiso,
-Pledge Time,Tiempo de compromiso,
 Printing,Impresión,
 Priority,Prioridad,
 Priority has been changed to {0}.,La prioridad se ha cambiado a {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Procesando archivos XML,
 Profitability,Rentabilidad,
 Project,Proyecto,
-Proposed Pledges are mandatory for secured Loans,Las promesas propuestas son obligatorias para los préstamos garantizados,
 Provide the academic year and set the starting and ending date.,Proporcione el año académico y establezca la fecha de inicio y finalización.,
 Public token is missing for this bank,Falta un token público para este banco,
 Publish,Publicar,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,El recibo de compra no tiene ningún artículo para el que esté habilitada la opción Conservar muestra.,
 Purchase Return,Devolución de compra,
 Qty of Finished Goods Item,Cantidad de artículos terminados,
-Qty or Amount is mandatroy for loan security,Cantidad o monto es obligatorio para la seguridad del préstamo,
 Quality Inspection required for Item {0} to submit,Inspección de calidad requerida para el Artículo {0} para enviar,
 Quantity to Manufacture,Cantidad a fabricar,
 Quantity to Manufacture can not be zero for the operation {0},La cantidad a fabricar no puede ser cero para la operación {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,La fecha de liberación debe ser mayor o igual que la fecha de incorporación,
 Rename,Renombrar,
 Rename Not Allowed,Cambiar nombre no permitido,
-Repayment Method is mandatory for term loans,El método de reembolso es obligatorio para préstamos a plazo,
-Repayment Start Date is mandatory for term loans,La fecha de inicio de reembolso es obligatoria para préstamos a plazo,
 Report Item,Reportar articulo,
 Report this Item,Reportar este artículo,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Cantidad reservada para subcontrato: Cantidad de materias primas para hacer artículos subcontratados.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Fila ({0}): {1} ya está descontada en {2},
 Rows Added in {0},Filas agregadas en {0},
 Rows Removed in {0},Filas eliminadas en {0},
-Sanctioned Amount limit crossed for {0} {1},Límite de cantidad sancionado cruzado por {0} {1},
-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},
 Save,Guardar,
 Save Item,Guardar artículo,
 Saved Items,Artículos guardados,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,El usuario {0} está deshabilitado,
 Users and Permissions,Usuarios y Permisos,
 Vacancies cannot be lower than the current openings,Las vacantes no pueden ser inferiores a las vacantes actuales,
-Valid From Time must be lesser than Valid Upto Time.,Válido desde el tiempo debe ser menor que Válido hasta el tiempo.,
 Valuation Rate required for Item {0} at row {1},Tasa de valoración requerida para el artículo {0} en la fila {1},
 Values Out Of Sync,Valores fuera de sincronización,
 Vehicle Type is required if Mode of Transport is Road,El tipo de vehículo es obligatorio si el modo de transporte es carretera,
@@ -4211,7 +4168,6 @@
 Add to Cart,Añadir a la Cesta,
 Days Since Last Order,Días desde el último pedido,
 In Stock,En inventario,
-Loan Amount is mandatory,El monto del préstamo es obligatorio,
 Mode Of Payment,Método de pago,
 No students Found,No se encontraron estudiantes,
 Not in Stock,No disponible en stock,
@@ -4240,7 +4196,6 @@
 Group by,Agrupar por,
 In stock,En stock,
 Item name,Nombre del producto,
-Loan amount is mandatory,El monto del préstamo es obligatorio,
 Minimum Qty,Cantidad mínima,
 More details,Más detalles,
 Nature of Supplies,Naturaleza de los suministros,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Cantidad total completada,
 Qty to Manufacture,Cantidad para producción,
 Repay From Salary can be selected only for term loans,Reembolsar desde el salario se puede seleccionar solo para préstamos a plazo,
-No valid Loan Security Price found for {0},No se encontró ningún precio de garantía de préstamo válido para {0},
-Loan Account and Payment Account cannot be same,La cuenta de préstamo y la cuenta de pago no pueden ser iguales,
-Loan Security Pledge can only be created for secured loans,La promesa de garantía de préstamo solo se puede crear para préstamos garantizados,
 Social Media Campaigns,Campañas de redes sociales,
 From Date can not be greater than To Date,Desde la fecha no puede ser mayor que hasta la fecha,
 Please set a Customer linked to the Patient,Establezca un cliente vinculado al paciente,
@@ -6437,7 +6389,6 @@
 HR User,Usuario de recursos humanos,
 Appointment Letter,Carta de cita,
 Job Applicant,Solicitante de empleo,
-Applicant Name,Nombre del Solicitante,
 Appointment Date,Día de la cita,
 Appointment Letter Template,Plantilla de carta de cita,
 Body,Cuerpo,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Sincronización en Progreso,
 Hub Seller Name,Nombre del vendedor de Hub,
 Custom Data,Datos Personalizados,
-Member,Miembro,
-Partially Disbursed,Parcialmente Desembolsado,
-Loan Closure Requested,Cierre de préstamo solicitado,
 Repay From Salary,Reembolso del Salario,
-Loan Details,Detalles de préstamo,
-Loan Type,Tipo de préstamo,
-Loan Amount,Monto del préstamo,
-Is Secured Loan,Es un préstamo garantizado,
-Rate of Interest (%) / Year,Tasa de interés (%) / Año,
-Disbursement Date,Fecha de desembolso,
-Disbursed Amount,Monto desembolsado,
-Is Term Loan,¿Es el préstamo a plazo,
-Repayment Method,Método de Reembolso,
-Repay Fixed Amount per Period,Pagar una Cantidad Fja por Período,
-Repay Over Number of Periods,Devolución por cantidad de períodos,
-Repayment Period in Months,Plazo de devolución en Meses,
-Monthly Repayment Amount,Cantidad de pago mensual,
-Repayment Start Date,Fecha de Inicio de Pago,
-Loan Security Details,Detalles de seguridad del préstamo,
-Maximum Loan Value,Valor máximo del préstamo,
-Account Info,Informacion de cuenta,
-Loan Account,Cuenta de Préstamo,
-Interest Income Account,Cuenta de Utilidad interés,
-Penalty Income Account,Cuenta de ingresos por penalizaciones,
-Repayment Schedule,Calendario de reembolso,
-Total Payable Amount,Monto Total a Pagar,
-Total Principal Paid,Total principal pagado,
-Total Interest Payable,Interés total a pagar,
-Total Amount Paid,Cantidad Total Pagada,
-Loan Manager,Gerente de préstamos,
-Loan Info,Información del Préstamo,
-Rate of Interest,Tasa de interés,
-Proposed Pledges,Prendas Propuestas,
-Maximum Loan Amount,Cantidad máxima del préstamo,
-Repayment Info,Información de la Devolución,
-Total Payable Interest,Interés Total a Pagar,
-Against Loan ,Contra préstamo,
-Loan Interest Accrual,Devengo de intereses de préstamos,
-Amounts,Cantidades,
-Pending Principal Amount,Monto principal pendiente,
-Payable Principal Amount,Monto del principal a pagar,
-Paid Principal Amount,Monto principal pagado,
-Paid Interest Amount,Monto de interés pagado,
-Process Loan Interest Accrual,Proceso de acumulación de intereses de préstamos,
-Repayment Schedule Name,Nombre del programa de pago,
 Regular Payment,Pago regular,
 Loan Closure,Cierre de préstamo,
-Payment Details,Detalles del Pago,
-Interest Payable,Los intereses a pagar,
-Amount Paid,Total Pagado,
-Principal Amount Paid,Importe principal pagado,
-Repayment Details,Detalles de reembolso,
-Loan Repayment Detail,Detalle de reembolso del préstamo,
-Loan Security Name,Nombre de seguridad del préstamo,
-Unit Of Measure,Unidad de medida,
-Loan Security Code,Código de seguridad del préstamo,
-Loan Security Type,Tipo de seguridad de préstamo,
-Haircut %,Corte de pelo %,
-Loan  Details,Detalles del préstamo,
-Unpledged,Sin plegar,
-Pledged,Comprometido,
-Partially Pledged,Parcialmente comprometido,
-Securities,Valores,
-Total Security Value,Valor total de seguridad,
-Loan Security Shortfall,Déficit de seguridad del préstamo,
-Loan ,Préstamo,
-Shortfall Time,Tiempo de déficit,
-America/New_York,América / Nueva_York,
-Shortfall Amount,Cantidad de déficit,
-Security Value ,Valor de seguridad,
-Process Loan Security Shortfall,Déficit de seguridad del préstamo de proceso,
-Loan To Value Ratio,Préstamo a valor,
-Unpledge Time,Desplegar tiempo,
-Loan Name,Nombre del préstamo,
 Rate of Interest (%) Yearly,Tasa de interés (%) Anual,
-Penalty Interest Rate (%) Per Day,Tasa de interés de penalización (%) por día,
-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,
-Grace Period in Days,Período de gracia en días,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,Cantidad de días desde la fecha de vencimiento hasta la cual no se cobrará la multa en caso de retraso en el pago del préstamo,
-Pledge,Promesa,
-Post Haircut Amount,Cantidad de post corte de pelo,
-Process Type,Tipo de proceso,
-Update Time,Tiempo de actualizacion,
-Proposed Pledge,Compromiso propuesto,
-Total Payment,Pago total,
-Balance Loan Amount,Saldo del balance del préstamo,
-Is Accrued,Está acumulado,
 Salary Slip Loan,Préstamo de Nómina,
 Loan Repayment Entry,Entrada de reembolso de préstamo,
-Sanctioned Loan Amount,Monto de préstamo sancionado,
-Sanctioned Amount Limit,Límite de cantidad sancionada,
-Unpledge,Desatar,
-Haircut,Corte de pelo,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Generar planificación,
 Schedules,Programas,
@@ -7885,7 +7749,6 @@
 Update Series,Definir Secuencia,
 Change the starting / current sequence number of an existing series.,Defina el nuevo número de secuencia para esta transacción.,
 Prefix,Prefijo,
-Current Value,Valor actual,
 This is the number of the last created transaction with this prefix,Este es el número de la última transacción creada con este prefijo,
 Update Series Number,Actualizar número de serie,
 Quotation Lost Reason,Razón de la Pérdida,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Nivel recomendado de reabastecimiento de producto,
 Lead Details,Detalle de Iniciativas,
 Lead Owner Efficiency,Eficiencia del Propietario de la Iniciativa,
-Loan Repayment and Closure,Reembolso y cierre de préstamos,
-Loan Security Status,Estado de seguridad del préstamo,
 Lost Opportunity,Oportunidad perdida,
 Maintenance Schedules,Programas de Mantenimiento,
 Material Requests for which Supplier Quotations are not created,Solicitudes de Material para los que no hay Presupuestos de Proveedor creados,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Recuentos orientados: {0},
 Payment Account is mandatory,La cuenta de pago es obligatoria,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Si está marcado, el monto total se deducirá de la renta imponible antes de calcular el impuesto sobre la renta sin ninguna declaración o presentación de prueba.",
-Disbursement Details,Detalles del desembolso,
 Material Request Warehouse,Almacén de solicitud de material,
 Select warehouse for material requests,Seleccionar almacén para solicitudes de material,
 Transfer Materials For Warehouse {0},Transferir materiales para almacén {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Reembolsar la cantidad no reclamada del salario,
 Deduction from salary,Deducción del salario,
 Expired Leaves,Hojas caducadas,
-Reference No,Numero de referencia,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,El porcentaje de quita es la diferencia porcentual entre el valor de mercado de la Garantía de Préstamo y el valor atribuido a esa Garantía de Préstamo cuando se utiliza como garantía para ese préstamo.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,La relación entre préstamo y valor expresa la relación entre el monto del préstamo y el valor del valor comprometido. Se activará un déficit de seguridad del préstamo si este cae por debajo del valor especificado para cualquier préstamo,
 If this is not checked the loan by default will be considered as a Demand Loan,"Si no se marca, el préstamo por defecto se considerará Préstamo a la vista.",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Esta cuenta se utiliza para registrar los reembolsos de préstamos del prestatario y también para desembolsar préstamos al prestatario.,
 This account is capital account which is used to allocate capital for loan disbursal account ,Esta cuenta es una cuenta de capital que se utiliza para asignar capital para la cuenta de desembolso de préstamos.,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},La operación {0} no pertenece a la orden de trabajo {1},
 Print UOM after Quantity,Imprimir UOM después de Cantidad,
 Set default {0} account for perpetual inventory for non stock items,Establecer la cuenta {0} predeterminada para el inventario permanente de los artículos que no están en stock,
-Loan Security {0} added multiple times,Seguridad de préstamo {0} agregada varias veces,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Los valores de préstamo con diferente ratio LTV no se pueden pignorar contra un préstamo,
-Qty or Amount is mandatory for loan security!,¡La cantidad o cantidad es obligatoria para la seguridad del préstamo!,
-Only submittted unpledge requests can be approved,Solo se pueden aprobar las solicitudes de desacuerdo enviadas,
-Interest Amount or Principal Amount is mandatory,El monto de interés o el monto principal es obligatorio,
-Disbursed Amount cannot be greater than {0},El monto desembolsado no puede ser mayor que {0},
-Row {0}: Loan Security {1} added multiple times,Fila {0}: garantía de préstamo {1} agregada varias veces,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Fila n.º {0}: el elemento secundario no debe ser un paquete de productos. Elimine el elemento {1} y guarde,
 Credit limit reached for customer {0},Se alcanzó el límite de crédito para el cliente {0},
 Could not auto create Customer due to the following missing mandatory field(s):,No se pudo crear automáticamente el Cliente debido a que faltan los siguientes campos obligatorios:,
diff --git a/erpnext/translations/et.csv b/erpnext/translations/et.csv
index 8e1063b..84f3ccd 100644
--- a/erpnext/translations/et.csv
+++ b/erpnext/translations/et.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Kohaldatakse juhul, kui ettevõte on SpA, SApA või SRL",
 Applicable if the company is a limited liability company,"Kohaldatakse juhul, kui ettevõte on piiratud vastutusega äriühing",
 Applicable if the company is an Individual or a Proprietorship,"Kohaldatakse juhul, kui ettevõte on füüsiline või füüsilisest isikust ettevõtja",
-Applicant,Taotleja,
-Applicant Type,Taotleja tüüp,
 Application of Funds (Assets),Application of Funds (vara),
 Application period cannot be across two allocation records,Taotluste esitamise periood ei tohi olla üle kahe jaotamise kirje,
 Application period cannot be outside leave allocation period,Taotlemise tähtaeg ei tohi olla väljaspool puhkuse eraldamise ajavahemikul,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Folio numbritega ostetud aktsionäride nimekiri,
 Loading Payment System,Maksesüsteemi laadimine,
 Loan,Laen,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Laenusumma ei tohi ületada Maksimaalne laenusumma {0},
-Loan Application,Laenu taotlemine,
-Loan Management,Laenujuhtimine,
-Loan Repayment,laenu tagasimaksmine,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Arve diskonteerimise salvestamiseks on laenu alguskuupäev ja laenuperiood kohustuslikud,
 Loans (Liabilities),Laenudega (kohustused),
 Loans and Advances (Assets),Laenud ja ettemaksed (vara),
@@ -1611,7 +1605,6 @@
 Monday,Esmaspäev,
 Monthly,Kuu,
 Monthly Distribution,Kuu Distribution,
-Monthly Repayment Amount cannot be greater than Loan Amount,Igakuine tagasimakse ei saa olla suurem kui Laenusumma,
 More,Rohkem,
 More Information,Rohkem informatsiooni,
 More than one selection for {0} not allowed,Rohkem kui üks valik {0} jaoks pole lubatud,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Maksa {0} {1},
 Payable,Maksmisele kuuluv,
 Payable Account,Võlgnevus konto,
-Payable Amount,Makstav summa,
 Payment,Makse,
 Payment Cancelled. Please check your GoCardless Account for more details,"Makse tühistatud. Palun kontrollige oma GoCardlessi kontot, et saada lisateavet",
 Payment Confirmation,Maksekinnitus,
-Payment Date,maksekuupäev,
 Payment Days,Makse päeva,
 Payment Document,maksedokumendi,
 Payment Due Date,Maksetähtpäevast,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,Palun sisestage ostutšeki esimene,
 Please enter Receipt Document,Palun sisesta laekumine Dokumendi,
 Please enter Reference date,Palun sisestage Viitekuupäev,
-Please enter Repayment Periods,Palun sisesta tagasimakseperioodid,
 Please enter Reqd by Date,Palun sisesta Reqd kuupäeva järgi,
 Please enter Woocommerce Server URL,Palun sisestage Woocommerce Serveri URL,
 Please enter Write Off Account,Palun sisestage maha konto,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,Palun sisestage vanem kulukeskus,
 Please enter quantity for Item {0},Palun sisestage koguse Punkt {0},
 Please enter relieving date.,Palun sisestage leevendab kuupäeva.,
-Please enter repayment Amount,Palun sisesta tagasimaksmise summa,
 Please enter valid Financial Year Start and End Dates,Palun sisesta kehtivad majandusaasta algus- ja lõppkuupäev,
 Please enter valid email address,Sisestage kehtiv e-posti aadress,
 Please enter {0} first,Palun sisestage {0} Esimene,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Hinnakujundus on reeglid veelgi filtreeritud põhineb kogusest.,
 Primary Address Details,Peamine aadressi üksikasjad,
 Primary Contact Details,Peamised kontaktandmed,
-Principal Amount,Põhisumma,
 Print Format,Prindi Formaat,
 Print IRS 1099 Forms,Printige IRS 1099 vorme,
 Print Report Card,Prindi aruande kaart,
@@ -2550,7 +2538,6 @@
 Sample Collection,Proovide kogu,
 Sample quantity {0} cannot be more than received quantity {1},Proovi kogus {0} ei saa olla suurem kui saadud kogus {1},
 Sanctioned,sanktsioneeritud,
-Sanctioned Amount,Sanktsioneeritud summa,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanktsioneeritud summa ei või olla suurem kui nõude summast reas {0}.,
 Sand,Liiv,
 Saturday,Laupäev,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} juba on vanemamenetlus {1}.,
 API,API,
 Annual,Aastane,
-Approved,Kinnitatud,
 Change,Muuda,
 Contact Email,Kontakt E-,
 Export Type,Ekspordi tüüp,
@@ -3571,7 +3557,6 @@
 Account Value,Konto väärtus,
 Account is mandatory to get payment entries,Konto on maksekirjete saamiseks kohustuslik,
 Account is not set for the dashboard chart {0},Armatuurlaua diagrammi jaoks pole kontot {0} seatud,
-Account {0} does not belong to company {1},Konto {0} ei kuulu Company {1},
 Account {0} does not exists in the dashboard chart {1},Kontot {0} kontot {0} ei eksisteeri,
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Konto: <b>{0}</b> on kapital Käimasolev töö ja seda ei saa ajakirjakanne värskendada,
 Account: {0} is not permitted under Payment Entry,Konto: {0} pole makse sisestamise korral lubatud,
@@ -3582,7 +3567,6 @@
 Activity,Aktiivsus,
 Add / Manage Email Accounts.,Lisa / Manage Email Accounts.,
 Add Child,Lisa Child,
-Add Loan Security,Lisage laenuturve,
 Add Multiple,Lisa mitu,
 Add Participants,Lisage osalejaid,
 Add to Featured Item,Lisa esiletõstetud üksusesse,
@@ -3593,15 +3577,12 @@
 Address Line 1,Aadress Line 1,
 Addresses,Aadressid,
 Admission End Date should be greater than Admission Start Date.,Sissepääsu lõppkuupäev peaks olema suurem kui vastuvõtu alguskuupäev.,
-Against Loan,Laenu vastu,
-Against Loan:,Laenu vastu:,
 All,Kõik,
 All bank transactions have been created,Kõik pangatehingud on loodud,
 All the depreciations has been booked,Kõik amortisatsioonid on broneeritud,
 Allocation Expired!,Jaotus on aegunud!,
 Allow Resetting Service Level Agreement from Support Settings.,Luba teenuse taseme lepingu lähtestamine tugiseadetest.,
 Amount of {0} is required for Loan closure,Laenu sulgemiseks on vaja summat {0},
-Amount paid cannot be zero,Makstud summa ei saa olla null,
 Applied Coupon Code,Rakendatud kupongi kood,
 Apply Coupon Code,Rakenda kupongikood,
 Appointment Booking,Kohtumiste broneerimine,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,"Saabumisaega ei saa arvutada, kuna juhi aadress on puudu.",
 Cannot Optimize Route as Driver Address is Missing.,"Teekonda ei saa optimeerida, kuna juhi aadress puudub.",
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Ülesannet {0} ei saa täita, kuna selle sõltuv ülesanne {1} pole lõpule viidud / tühistatud.",
-Cannot create loan until application is approved,"Laenu ei saa luua enne, kui taotlus on heaks kiidetud",
 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}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings",Üksuse {0} reas {1} ei saa ülearveldada rohkem kui {2}. Ülearvelduste lubamiseks määrake konto konto seadetes soodustus,
 "Capacity Planning Error, planned start time can not be same as end time","Mahtude planeerimise viga, kavandatud algusaeg ei saa olla sama kui lõpuaeg",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Vähem kui summa,
 Liabilities,Kohustused,
 Loading...,Laadimine ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Laenusumma ületab maksimaalset laenusummat {0} pakutavate väärtpaberite kohta,
 Loan Applications from customers and employees.,Klientide ja töötajate laenutaotlused.,
-Loan Disbursement,Laenu väljamaksmine,
 Loan Processes,Laenuprotsessid,
-Loan Security,Laenu tagatis,
-Loan Security Pledge,Laenu tagatise pant,
-Loan Security Pledge Created : {0},Loodud laenutagatise pant: {0},
-Loan Security Price,Laenu tagatise hind,
-Loan Security Price overlapping with {0},Laenu tagatise hind kattub {0} -ga,
-Loan Security Unpledge,Laenu tagatise tagamata jätmine,
-Loan Security Value,Laenu tagatisväärtus,
 Loan Type for interest and penalty rates,Laenu tüüp intresside ja viivise määrade jaoks,
-Loan amount cannot be greater than {0},Laenusumma ei tohi olla suurem kui {0},
-Loan is mandatory,Laen on kohustuslik,
 Loans,Laenud,
 Loans provided to customers and employees.,Klientidele ja töötajatele antud laenud.,
 Location,Asukoht,
@@ -3894,7 +3863,6 @@
 Pay,Maksma,
 Payment Document Type,Maksedokumendi tüüp,
 Payment Name,Makse nimi,
-Penalty Amount,Trahvisumma,
 Pending,Pooleliolev,
 Performance,Etendus,
 Period based On,Periood põhineb,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,Selle üksuse muutmiseks logige sisse Marketplace&#39;i kasutajana.,
 Please login as a Marketplace User to report this item.,Selle üksuse teatamiseks logige sisse Marketplace&#39;i kasutajana.,
 Please select <b>Template Type</b> to download template,Valige <b>malli</b> allalaadimiseks malli <b>tüüp</b>,
-Please select Applicant Type first,Valige esmalt taotleja tüüp,
 Please select Customer first,Valige kõigepealt klient,
 Please select Item Code first,Valige kõigepealt üksuse kood,
-Please select Loan Type for company {0},Valige ettevõtte {0} laenutüüp,
 Please select a Delivery Note,Valige saateleht,
 Please select a Sales Person for item: {0},Valige üksuse jaoks müüja: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Palun valige teine makseviis. Triip ei toeta tehingud sularaha &quot;{0}&quot;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Seadistage ettevõtte {0} vaikekonto arvelduskonto,
 Please specify,Palun täpsusta,
 Please specify a {0},Palun täpsustage {0},lead
-Pledge Status,Pandi staatus,
-Pledge Time,Pandi aeg,
 Printing,Trükkimine,
 Priority,Prioriteet,
 Priority has been changed to {0}.,Prioriteet on muudetud väärtuseks {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,XML-failide töötlemine,
 Profitability,Tasuvus,
 Project,Project,
-Proposed Pledges are mandatory for secured Loans,Kavandatud lubadused on tagatud laenude puhul kohustuslikud,
 Provide the academic year and set the starting and ending date.,Esitage õppeaasta ja määrake algus- ja lõppkuupäev.,
 Public token is missing for this bank,Selle panga jaoks puudub avalik luba,
 Publish,Avalda,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Ostukviitungil pole ühtegi eset, mille jaoks on proovide säilitamine lubatud.",
 Purchase Return,Ostutagastus,
 Qty of Finished Goods Item,Valmistoodete kogus,
-Qty or Amount is mandatroy for loan security,Kogus või summa on laenutagatise tagamiseks kohustuslik,
 Quality Inspection required for Item {0} to submit,Üksuse {0} esitamiseks on vajalik kvaliteedikontroll,
 Quantity to Manufacture,Tootmiskogus,
 Quantity to Manufacture can not be zero for the operation {0},Tootmiskogus ei saa toimingu ajal olla null,
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Vabastamiskuupäev peab olema liitumiskuupäevast suurem või sellega võrdne,
 Rename,Nimeta,
 Rename Not Allowed,Ümbernimetamine pole lubatud,
-Repayment Method is mandatory for term loans,Tagasimakseviis on tähtajaliste laenude puhul kohustuslik,
-Repayment Start Date is mandatory for term loans,Tagasimakse alguskuupäev on tähtajaliste laenude puhul kohustuslik,
 Report Item,Aruande üksus,
 Report this Item,Teata sellest elemendist,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Allhanke jaoks reserveeritud kogus: Toorainekogus allhankelepingu sõlmimiseks.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Rida ({0}): {1} on juba allahinnatud {2},
 Rows Added in {0},{0} lisatud read,
 Rows Removed in {0},{0} -st eemaldatud read,
-Sanctioned Amount limit crossed for {0} {1},{0} {1} ületatud karistuslimiit,
-Sanctioned Loan Amount already exists for {0} against company {1},Ettevõtte {1} jaoks on {0} sanktsioneeritud laenusumma juba olemas,
 Save,Salvesta,
 Save Item,Salvesta üksus,
 Saved Items,Salvestatud üksused,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Kasutaja {0} on keelatud,
 Users and Permissions,Kasutajad ja reeglid,
 Vacancies cannot be lower than the current openings,Vabad töökohad ei saa olla madalamad kui praegused avad,
-Valid From Time must be lesser than Valid Upto Time.,Kehtiv alates ajast peab olema väiksem kui kehtiv kellaaeg.,
 Valuation Rate required for Item {0} at row {1},Üksuse {0} real {1} nõutav hindamismäär,
 Values Out Of Sync,Väärtused pole sünkroonis,
 Vehicle Type is required if Mode of Transport is Road,"Sõidukitüüp on nõutav, kui transpordiliik on maantee",
@@ -4211,7 +4168,6 @@
 Add to Cart,Lisa ostukorvi,
 Days Since Last Order,Päevad alates viimasest tellimusest,
 In Stock,Laos,
-Loan Amount is mandatory,Laenusumma on kohustuslik,
 Mode Of Payment,Makseviis,
 No students Found,Ühtegi õpilast ei leitud,
 Not in Stock,Ei ole laos,
@@ -4240,7 +4196,6 @@
 Group by,Group By,
 In stock,Laos,
 Item name,Toote nimi,
-Loan amount is mandatory,Laenusumma on kohustuslik,
 Minimum Qty,Minimaalne kogus,
 More details,Rohkem detaile,
 Nature of Supplies,Tarnete iseloom,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Kokku valminud kogus,
 Qty to Manufacture,Kogus toota,
 Repay From Salary can be selected only for term loans,Tagasimakse palgast saab valida ainult tähtajaliste laenude puhul,
-No valid Loan Security Price found for {0},Päringule {0} ei leitud kehtivat laenu tagatishinda,
-Loan Account and Payment Account cannot be same,Laenukonto ja maksekonto ei saa olla ühesugused,
-Loan Security Pledge can only be created for secured loans,Laenutagatise pandiks saab olla ainult tagatud laenud,
 Social Media Campaigns,Sotsiaalse meedia kampaaniad,
 From Date can not be greater than To Date,Alates kuupäevast ei tohi olla suurem kui kuupäev,
 Please set a Customer linked to the Patient,Palun määrake patsiendiga seotud klient,
@@ -6437,7 +6389,6 @@
 HR User,HR Kasutaja,
 Appointment Letter,Töölevõtu kiri,
 Job Applicant,Tööotsija,
-Applicant Name,Taotleja nimi,
 Appointment Date,Ametisse nimetamise kuupäev,
 Appointment Letter Template,Ametisse nimetamise mall,
 Body,Keha,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Sünkroonimine käimas,
 Hub Seller Name,Rummu müüja nimi,
 Custom Data,Kohandatud andmed,
-Member,Liige,
-Partially Disbursed,osaliselt Väljastatud,
-Loan Closure Requested,Taotletud laenu sulgemine,
 Repay From Salary,Tagastama alates Palk,
-Loan Details,laenu detailid,
-Loan Type,laenu liik,
-Loan Amount,Laenusumma,
-Is Secured Loan,On tagatud laen,
-Rate of Interest (%) / Year,Intressimäär (%) / Aasta,
-Disbursement Date,Väljamakse kuupäev,
-Disbursed Amount,Väljamakstud summa,
-Is Term Loan,Kas tähtajaline laen,
-Repayment Method,tagasimaksmine meetod,
-Repay Fixed Amount per Period,Maksta kindlaksmääratud summa Periood,
-Repay Over Number of Periods,Tagastama Üle perioodide arv,
-Repayment Period in Months,Tagastamise tähtaeg kuudes,
-Monthly Repayment Amount,Igakuine tagasimakse,
-Repayment Start Date,Tagasimaksmise alguskuupäev,
-Loan Security Details,Laenu tagatise üksikasjad,
-Maximum Loan Value,Laenu maksimaalne väärtus,
-Account Info,Konto andmed,
-Loan Account,Laenukonto,
-Interest Income Account,Intressitulu konto,
-Penalty Income Account,Karistustulu konto,
-Repayment Schedule,maksegraafikut,
-Total Payable Amount,Kokku tasumisele,
-Total Principal Paid,Tasutud põhisumma kokku,
-Total Interest Payable,Kokku intressivõlg,
-Total Amount Paid,Kogusumma tasutud,
-Loan Manager,Laenuhaldur,
-Loan Info,laenu Info,
-Rate of Interest,Intressimäärast,
-Proposed Pledges,Kavandatud lubadused,
-Maximum Loan Amount,Maksimaalne laenusumma,
-Repayment Info,tagasimaksmine Info,
-Total Payable Interest,Kokku intressikulusid,
-Against Loan ,Laenu vastu,
-Loan Interest Accrual,Laenuintresside tekkepõhine,
-Amounts,Summad,
-Pending Principal Amount,Ootel põhisumma,
-Payable Principal Amount,Makstav põhisumma,
-Paid Principal Amount,Tasutud põhisumma,
-Paid Interest Amount,Makstud intressi summa,
-Process Loan Interest Accrual,Protsesslaenu intressi tekkepõhine,
-Repayment Schedule Name,Tagasimakse ajakava nimi,
 Regular Payment,Regulaarne makse,
 Loan Closure,Laenu sulgemine,
-Payment Details,Makse andmed,
-Interest Payable,Makstav intress,
-Amount Paid,Makstud summa,
-Principal Amount Paid,Makstud põhisumma,
-Repayment Details,Tagasimakse üksikasjad,
-Loan Repayment Detail,Laenu tagasimakse üksikasjad,
-Loan Security Name,Laenu väärtpaberi nimi,
-Unit Of Measure,Mõõtühik,
-Loan Security Code,Laenu turvakood,
-Loan Security Type,Laenu tagatise tüüp,
-Haircut %,Juukselõikus%,
-Loan  Details,Laenu üksikasjad,
-Unpledged,Tagatiseta,
-Pledged,Panditud,
-Partially Pledged,Osaliselt panditud,
-Securities,Väärtpaberid,
-Total Security Value,Turvalisuse koguväärtus,
-Loan Security Shortfall,Laenutagatise puudujääk,
-Loan ,Laen,
-Shortfall Time,Puuduse aeg,
-America/New_York,Ameerika / New_York,
-Shortfall Amount,Puudujäägi summa,
-Security Value ,Turvalisuse väärtus,
-Process Loan Security Shortfall,Protsessilaenu tagatise puudujääk,
-Loan To Value Ratio,Laenu ja väärtuse suhe,
-Unpledge Time,Pühitsemise aeg,
-Loan Name,laenu Nimi,
 Rate of Interest (%) Yearly,Intressimäär (%) Aastane,
-Penalty Interest Rate (%) Per Day,Trahviintress (%) päevas,
-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,
-Grace Period in Days,Armuperiood päevades,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,"Päevade arv tähtpäevast, milleni laenu tagasimaksmisega viivitamise korral viivist ei võeta",
-Pledge,Pant,
-Post Haircut Amount,Postituse juukselõikuse summa,
-Process Type,Protsessi tüüp,
-Update Time,Uuendamise aeg,
-Proposed Pledge,Kavandatud lubadus,
-Total Payment,Kokku tasumine,
-Balance Loan Amount,Tasakaal Laenusumma,
-Is Accrued,On kogunenud,
 Salary Slip Loan,Palk Slip Laen,
 Loan Repayment Entry,Laenu tagasimakse kanne,
-Sanctioned Loan Amount,Sankteeritud laenusumma,
-Sanctioned Amount Limit,Sanktsioonisumma piirmäär,
-Unpledge,Unustamata jätmine,
-Haircut,Juukselõikus,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Loo Graafik,
 Schedules,Sõiduplaanid,
@@ -7885,7 +7749,6 @@
 Update Series,Värskenda Series,
 Change the starting / current sequence number of an existing series.,Muuda algus / praegune järjenumber olemasoleva seeria.,
 Prefix,Eesliide,
-Current Value,Praegune väärtus,
 This is the number of the last created transaction with this prefix,See on mitmeid viimase loodud tehingu seda prefiksit,
 Update Series Number,Värskenda seerianumbri,
 Quotation Lost Reason,Tsitaat Lost Reason,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise Soovitatav Reorder Level,
 Lead Details,Plii Üksikasjad,
 Lead Owner Efficiency,Lead Omanik Efficiency,
-Loan Repayment and Closure,Laenu tagasimaksmine ja sulgemine,
-Loan Security Status,Laenu tagatise olek,
 Lost Opportunity,Kaotatud võimalus,
 Maintenance Schedules,Hooldusgraafikud,
 Material Requests for which Supplier Quotations are not created,"Materjal taotlused, mis Tarnija tsitaadid ei ole loodud",
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Sihitud arvud: {0},
 Payment Account is mandatory,Maksekonto on kohustuslik,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.",Selle kontrollimisel arvestatakse enne tulumaksu arvutamist maksustamata tulust maha kogu summa ilma deklaratsiooni ja tõendite esitamiseta.,
-Disbursement Details,Väljamakse üksikasjad,
 Material Request Warehouse,Materiaalsete taotluste ladu,
 Select warehouse for material requests,Materjalitaotluste jaoks valige ladu,
 Transfer Materials For Warehouse {0},Lao materjalide edastamine {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Tagasimakstud summa palgast tagasi maksta,
 Deduction from salary,Palgast mahaarvamine,
 Expired Leaves,Aegunud lehed,
-Reference No,Viitenumber,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,Allahindluse protsent on laenutagatise turuväärtuse ja sellele laenutagatisele omistatud väärtuse protsentuaalne erinevus.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,"Laenu ja väärtuse suhe väljendab laenusumma suhet panditud väärtpaberi väärtusesse. Laenutagatise puudujääk tekib siis, kui see langeb alla laenu määratud väärtuse",
 If this is not checked the loan by default will be considered as a Demand Loan,"Kui seda ei kontrollita, käsitatakse laenu vaikimisi nõudmislaenuna",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Seda kontot kasutatakse laenusaaja tagasimaksete broneerimiseks ja ka laenuvõtjale laenude väljamaksmiseks,
 This account is capital account which is used to allocate capital for loan disbursal account ,"See konto on kapitalikonto, mida kasutatakse kapitali eraldamiseks laenu väljamaksekontole",
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Toiming {0} ei kuulu töökorralduse juurde {1},
 Print UOM after Quantity,Prindi UOM pärast kogust,
 Set default {0} account for perpetual inventory for non stock items,Määra mittekaubanduses olevate üksuste püsikomplekti vaikekonto {0} määramine,
-Loan Security {0} added multiple times,Laenutagatis {0} lisati mitu korda,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Erineva LTV suhtega laenuväärtpabereid ei saa ühe laenu vastu pantida,
-Qty or Amount is mandatory for loan security!,Kogus või summa on laenutagatise jaoks kohustuslik!,
-Only submittted unpledge requests can be approved,Ainult esitatud panditaotlusi saab kinnitada,
-Interest Amount or Principal Amount is mandatory,Intressi summa või põhisumma on kohustuslik,
-Disbursed Amount cannot be greater than {0},Väljamakstud summa ei tohi olla suurem kui {0},
-Row {0}: Loan Security {1} added multiple times,Rida {0}: laenutagatis {1} lisati mitu korda,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Rida nr {0}: alamüksus ei tohiks olla tootekomplekt. Eemaldage üksus {1} ja salvestage,
 Credit limit reached for customer {0},Kliendi {0} krediidilimiit on saavutatud,
 Could not auto create Customer due to the following missing mandatory field(s):,Klienti ei saanud automaatselt luua järgmise kohustusliku välja (de) puudumise tõttu:,
diff --git a/erpnext/translations/fa.csv b/erpnext/translations/fa.csv
index b5bfab4..4021462 100644
--- a/erpnext/translations/fa.csv
+++ b/erpnext/translations/fa.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL",اگر شرکت SpA ، SApA یا SRL باشد ، قابل اجرا است,
 Applicable if the company is a limited liability company,اگر شرکت یک شرکت با مسئولیت محدود باشد قابل اجرا است,
 Applicable if the company is an Individual or a Proprietorship,اگر شرکت یک فرد یا مالکیت مالکیت باشد ، قابل اجرا است,
-Applicant,درخواست کننده,
-Applicant Type,نوع متقاضی,
 Application of Funds (Assets),استفاده از وجوه (دارایی),
 Application period cannot be across two allocation records,دوره درخواست نمی تواند در دو رکورد تخصیص باشد,
 Application period cannot be outside leave allocation period,دوره نرم افزار می تواند دوره تخصیص مرخصی در خارج نیست,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,لیست سهامداران موجود با شماره های برگه,
 Loading Payment System,سیستم پرداخت بارگیری,
 Loan,وام,
-Loan Amount cannot exceed Maximum Loan Amount of {0},وام مبلغ می توانید حداکثر مبلغ وام از تجاوز نمی {0},
-Loan Application,درخواست وام,
-Loan Management,مدیریت وام,
-Loan Repayment,بازپرداخت وام,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,تاریخ شروع وام و دوره وام برای صرفه جویی در تخفیف فاکتور الزامی است,
 Loans (Liabilities),وام (بدهی),
 Loans and Advances (Assets),وام و پیشرفت (دارایی),
@@ -1611,7 +1605,6 @@
 Monday,دوشنبه,
 Monthly,ماهیانه,
 Monthly Distribution,توزیع ماهانه,
-Monthly Repayment Amount cannot be greater than Loan Amount,میزان بازپرداخت ماهانه نمی تواند بیشتر از وام مبلغ,
 More,بیش,
 More Information,اطلاعات بیشتر,
 More than one selection for {0} not allowed,بیش از یک انتخاب برای {0} مجاز نیست,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},پرداخت {0} {1},
 Payable,قابل پرداخت,
 Payable Account,قابل پرداخت حساب,
-Payable Amount,مبلغ قابل پرداخت,
 Payment,پرداخت,
 Payment Cancelled. Please check your GoCardless Account for more details,پرداخت لغو شد برای اطلاعات بیشتر، لطفا حساب GoCardless خود را بررسی کنید,
 Payment Confirmation,تاییدیه پرداخت,
-Payment Date,تاریخ پرداخت,
 Payment Days,روز پرداخت,
 Payment Document,سند پرداخت,
 Payment Due Date,پرداخت با توجه تاریخ,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,لطفا ابتدا وارد رسید خرید,
 Please enter Receipt Document,لطفا سند دریافت وارد کنید,
 Please enter Reference date,لطفا تاریخ مرجع وارد,
-Please enter Repayment Periods,لطفا دوره بازپرداخت وارد کنید,
 Please enter Reqd by Date,لطفا Reqd را با تاریخ وارد کنید,
 Please enter Woocommerce Server URL,لطفا URL سرور Woocommerce را وارد کنید,
 Please enter Write Off Account,لطفا وارد حساب فعال,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,لطفا پدر و مادر مرکز هزینه وارد,
 Please enter quantity for Item {0},لطفا مقدار برای آیتم را وارد کنید {0},
 Please enter relieving date.,لطفا تاریخ تسکین وارد کنید.,
-Please enter repayment Amount,لطفا مقدار بازپرداخت وارد کنید,
 Please enter valid Financial Year Start and End Dates,لطفا معتبر مالی سال تاریخ شروع و پایان را وارد کنید,
 Please enter valid email address,لطفا آدرس ایمیل معتبر وارد کنید,
 Please enter {0} first,لطفا ابتدا وارد {0},
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,مشاهده قوانین قیمت گذاری بیشتر بر اساس مقدار فیلتر شده است.,
 Primary Address Details,جزئیات آدرس اصلی,
 Primary Contact Details,اطلاعات تماس اولیه,
-Principal Amount,مقدار اصلی,
 Print Format,چاپ فرمت,
 Print IRS 1099 Forms,فرم های IRS 1099 را چاپ کنید,
 Print Report Card,کارت گزارش چاپ,
@@ -2550,7 +2538,6 @@
 Sample Collection,مجموعه نمونه,
 Sample quantity {0} cannot be more than received quantity {1},مقدار نمونه {0} نمیتواند بیش از مقدار دریافتی باشد {1},
 Sanctioned,تحریم,
-Sanctioned Amount,مقدار تحریم,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,مقدار تحریم نیست می تواند بیشتر از مقدار ادعای در ردیف {0}.,
 Sand,شن,
 Saturday,روز شنبه,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} در حال حاضر یک روش والدین {1} دارد.,
 API,API,
 Annual,سالیانه,
-Approved,تایید,
 Change,تغییر,
 Contact Email,تماس با ایمیل,
 Export Type,نوع صادرات,
@@ -3571,7 +3557,6 @@
 Account Value,ارزش حساب,
 Account is mandatory to get payment entries,حساب برای دریافت ورودی های پرداخت الزامی است,
 Account is not set for the dashboard chart {0},حساب برای نمودار داشبورد {0 set تنظیم نشده است,
-Account {0} does not belong to company {1},حساب {0} به شرکت {1} تعلق ندارد,
 Account {0} does not exists in the dashboard chart {1},حساب {0 in در نمودار داشبورد {1 exists موجود نیست,
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,حساب: <b>{0}</b> سرمایه در حال انجام است و توسط Journal Entry قابل به روزرسانی نیست,
 Account: {0} is not permitted under Payment Entry,حساب: {0 under در ورود پرداخت مجاز نیست,
@@ -3582,7 +3567,6 @@
 Activity,فعالیت,
 Add / Manage Email Accounts.,افزودن / مدیریت ایمیل ها,
 Add Child,اضافه کردن کودک,
-Add Loan Security,امنیت وام را اضافه کنید,
 Add Multiple,اضافه کردن چند,
 Add Participants,شرکت کنندگان اضافه کردن,
 Add to Featured Item,به آیتم مورد علاقه اضافه کنید,
@@ -3593,15 +3577,12 @@
 Address Line 1,خط 1 آدرس,
 Addresses,نشانی ها,
 Admission End Date should be greater than Admission Start Date.,تاریخ پایان پذیرش باید بیشتر از تاریخ شروع پذیرش باشد.,
-Against Loan,در برابر وام,
-Against Loan:,در برابر وام:,
 All,همه,
 All bank transactions have been created,تمام معاملات بانکی ایجاد شده است,
 All the depreciations has been booked,همه استهلاک ها رزرو شده اند,
 Allocation Expired!,تخصیص منقضی شده است!,
 Allow Resetting Service Level Agreement from Support Settings.,تنظیم مجدد توافق نامه سطح خدمات از تنظیمات پشتیبانی مجاز است.,
 Amount of {0} is required for Loan closure,مبلغ {0 برای بسته شدن وام مورد نیاز است,
-Amount paid cannot be zero,مبلغ پرداخت شده نمی تواند صفر باشد,
 Applied Coupon Code,کد کوپن کاربردی,
 Apply Coupon Code,کد کوپن را اعمال کنید,
 Appointment Booking,رزرو قرار ملاقات,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,نمی توان زمان رسیدن را به دلیل گم شدن آدرس راننده محاسبه کرد.,
 Cannot Optimize Route as Driver Address is Missing.,نمی توان مسیر را بهینه کرد زیرا آدرس راننده وجود ندارد.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,کار {0} به عنوان وظیفه وابسته به آن {1 complete امکان پذیر نیست / لغو نیست.,
-Cannot create loan until application is approved,تا زمانی که درخواست تأیید نشود ، نمی توانید وام ایجاد کنید,
 Cannot find a matching Item. Please select some other value for {0}.,می توانید یک آیتم تطبیق پیدا کند. لطفا برخی از ارزش های دیگر برای {0} را انتخاب کنید.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings",برای مورد {0} در ردیف {1} بیش از 2 {بیش از ill امکان پذیر نیست. برای اجازه بیش از صدور صورت حساب ، لطفاً در تنظیمات حساب میزان کمک هزینه را تعیین کنید,
 "Capacity Planning Error, planned start time can not be same as end time",خطای برنامه ریزی ظرفیت ، زمان شروع برنامه ریزی شده نمی تواند برابر با زمان پایان باشد,
@@ -3812,20 +3792,9 @@
 Less Than Amount,مقدار کمتری از مقدار,
 Liabilities,بدهی,
 Loading...,در حال بارگذاری ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,مبلغ وام بیش از حداکثر میزان وام {0} به ازای اوراق بهادار پیشنهادی است,
 Loan Applications from customers and employees.,برنامه های وام از مشتریان و کارمندان.,
-Loan Disbursement,پرداخت وام,
 Loan Processes,فرآیندهای وام,
-Loan Security,امنیت وام,
-Loan Security Pledge,تعهد امنیتی وام,
-Loan Security Pledge Created : {0},تعهد امنیتی وام ایجاد شده: {0,
-Loan Security Price,قیمت امنیت وام,
-Loan Security Price overlapping with {0},همپوشانی قیمت امنیت وام با {0},
-Loan Security Unpledge,اعتراض امنیتی وام,
-Loan Security Value,ارزش امنیتی وام,
 Loan Type for interest and penalty rates,نوع وام برای نرخ بهره و مجازات,
-Loan amount cannot be greater than {0},مبلغ وام نمی تواند بیشتر از {0 باشد,
-Loan is mandatory,وام الزامی است,
 Loans,وام,
 Loans provided to customers and employees.,وامهایی که به مشتریان و کارمندان داده می شود.,
 Location,محل,
@@ -3894,7 +3863,6 @@
 Pay,پرداخت,
 Payment Document Type,نوع سند پرداخت,
 Payment Name,نام پرداخت,
-Penalty Amount,میزان مجازات,
 Pending,در انتظار,
 Performance,کارایی,
 Period based On,دوره بر اساس,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,لطفاً برای ویرایش این مورد به عنوان یک کاربر Marketplace وارد شوید.,
 Please login as a Marketplace User to report this item.,لطفا برای گزارش این مورد به عنوان یک کاربر Marketplace وارد شوید.,
 Please select <b>Template Type</b> to download template,لطفا <b>الگو را</b> برای بارگیری قالب انتخاب کنید,
-Please select Applicant Type first,لطفا ابتدا متقاضی نوع را انتخاب کنید,
 Please select Customer first,لطفاً ابتدا مشتری را انتخاب کنید,
 Please select Item Code first,لطفا ابتدا کد مورد را انتخاب کنید,
-Please select Loan Type for company {0},لطفا نوع وام را برای شرکت {0 انتخاب کنید,
 Please select a Delivery Note,لطفاً یک یادداشت تحویل را انتخاب کنید,
 Please select a Sales Person for item: {0},لطفاً یک شخص فروش را برای کالا انتخاب کنید: {0,
 Please select another payment method. Stripe does not support transactions in currency '{0}',لطفا روش پرداخت دیگری را انتخاب کنید. خط خطی انجام تراکنش در ارز را پشتیبانی نمی کند &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},لطفاً یک حساب بانکی پیش فرض برای شرکت {0 تنظیم کنید,
 Please specify,لطفا مشخص کنید,
 Please specify a {0},لطفاً {0 را مشخص کنید,lead
-Pledge Status,وضعیت تعهد,
-Pledge Time,زمان تعهد,
 Printing,چاپ,
 Priority,اولویت,
 Priority has been changed to {0}.,اولویت به {0 تغییر یافته است.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,پردازش فایلهای XML,
 Profitability,سودآوری,
 Project,پروژه,
-Proposed Pledges are mandatory for secured Loans,وعده های پیشنهادی برای وام های مطمئن الزامی است,
 Provide the academic year and set the starting and ending date.,سال تحصیلی را تهیه کنید و تاریخ شروع و پایان را تعیین کنید.,
 Public token is missing for this bank,نشان عمومی برای این بانک وجود ندارد,
 Publish,انتشار,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,رسید خرید هیچ موردی را ندارد که نمونه حفظ آن فعال باشد.,
 Purchase Return,بازگشت خرید,
 Qty of Finished Goods Item,مقدار کالای تمام شده کالا,
-Qty or Amount is mandatroy for loan security,Qty یا مقدار برای تأمین امنیت وام است,
 Quality Inspection required for Item {0} to submit,بازرسی کیفیت مورد نیاز برای ارسال Item 0 مورد نیاز است,
 Quantity to Manufacture,مقدار تولید,
 Quantity to Manufacture can not be zero for the operation {0},مقدار تولید برای عملیات صفر نمی تواند {0 باشد,
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Relieve Date باید بیشتر یا مساوی تاریخ عضویت باشد,
 Rename,تغییر نام,
 Rename Not Allowed,تغییر نام مجاز نیست,
-Repayment Method is mandatory for term loans,روش بازپرداخت برای وام های کوتاه مدت الزامی است,
-Repayment Start Date is mandatory for term loans,تاریخ شروع بازپرداخت برای وام های کوتاه مدت الزامی است,
 Report Item,گزارش مورد,
 Report this Item,گزارش این مورد,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Qty رزرو شده برای قراردادهای فرعی: مقدار مواد اولیه برای ساخت وسایل فرعی.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},ردیف ({0}): 1 {در حال حاضر با 2 {تخفیف,
 Rows Added in {0},ردیف اضافه شده در {0},
 Rows Removed in {0},ردیف ها در {0 oved حذف شدند,
-Sanctioned Amount limit crossed for {0} {1},حد مجاز مجاز تحریم برای {0 {1,
-Sanctioned Loan Amount already exists for {0} against company {1},مبلغ وام تحریم شده در حال حاضر برای {0} در برابر شرکت 1 {وجود دارد,
 Save,ذخیره,
 Save Item,ذخیره مورد,
 Saved Items,موارد ذخیره شده,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,کاربر {0} غیر فعال است,
 Users and Permissions,کاربران و ویرایش,
 Vacancies cannot be lower than the current openings,جای خالی نمی تواند کمتر از دهانه های فعلی باشد,
-Valid From Time must be lesser than Valid Upto Time.,معتبر از زمان باید کمتر از زمان معتبر معتبر باشد.,
 Valuation Rate required for Item {0} at row {1},نرخ ارزیابی مورد نیاز برای {0} در ردیف {1,
 Values Out Of Sync,ارزشهای خارج از همگام سازی,
 Vehicle Type is required if Mode of Transport is Road,در صورتی که نحوه حمل و نقل جاده ای باشد ، نوع خودرو مورد نیاز است,
@@ -4211,7 +4168,6 @@
 Add to Cart,اضافه کردن به سبد,
 Days Since Last Order,روزهایی از آخرین سفارش,
 In Stock,در انبار,
-Loan Amount is mandatory,مبلغ وام الزامی است,
 Mode Of Payment,نحوه پرداخت,
 No students Found,هیچ دانشجویی یافت نشد,
 Not in Stock,در انبار,
@@ -4240,7 +4196,6 @@
 Group by,گروه توسط,
 In stock,در انبار,
 Item name,نام آیتم,
-Loan amount is mandatory,مبلغ وام الزامی است,
 Minimum Qty,حداقل تعداد,
 More details,جزئیات بیشتر,
 Nature of Supplies,طبیعت لوازم,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,تعداد کل تکمیل شده است,
 Qty to Manufacture,تعداد برای تولید,
 Repay From Salary can be selected only for term loans,بازپرداخت از حقوق فقط برای وام های مدت دار قابل انتخاب است,
-No valid Loan Security Price found for {0},هیچ قیمت امنیتی وام معتبری برای {0} یافت نشد,
-Loan Account and Payment Account cannot be same,حساب وام و حساب پرداخت نمی توانند یکسان باشند,
-Loan Security Pledge can only be created for secured loans,وام تضمین وام فقط برای وام های تضمینی ایجاد می شود,
 Social Media Campaigns,کمپین های رسانه های اجتماعی,
 From Date can not be greater than To Date,از تاریخ نمی تواند بیشتر از تاریخ باشد,
 Please set a Customer linked to the Patient,لطفاً مشتری متصل به بیمار را تنظیم کنید,
@@ -6437,7 +6389,6 @@
 HR User,HR کاربر,
 Appointment Letter,نامه انتصاب,
 Job Applicant,درخواستگر کار,
-Applicant Name,نام متقاضی,
 Appointment Date,تاریخ انتصاب,
 Appointment Letter Template,الگوی نامه انتصاب,
 Body,بدن,
@@ -7059,99 +7010,12 @@
 Sync in Progress,همگام سازی در حال پیشرفت,
 Hub Seller Name,فروشنده نام توپی,
 Custom Data,داده های سفارشی,
-Member,عضو,
-Partially Disbursed,نیمه پرداخت شده,
-Loan Closure Requested,درخواست بسته شدن وام,
 Repay From Salary,بازپرداخت از حقوق و دستمزد,
-Loan Details,وام جزییات,
-Loan Type,نوع وام,
-Loan Amount,مبلغ وام,
-Is Secured Loan,وام مطمئن است,
-Rate of Interest (%) / Year,نرخ بهره (٪) / سال,
-Disbursement Date,تاریخ پرداخت,
-Disbursed Amount,مبلغ پرداخت شده,
-Is Term Loan,وام مدت است,
-Repayment Method,روش بازپرداخت,
-Repay Fixed Amount per Period,بازپرداخت مقدار ثابت در هر دوره,
-Repay Over Number of Periods,بازپرداخت تعداد بیش از دوره های,
-Repayment Period in Months,دوره بازپرداخت در ماه,
-Monthly Repayment Amount,میزان بازپرداخت ماهانه,
-Repayment Start Date,تاریخ شروع بازپرداخت,
-Loan Security Details,جزئیات امنیت وام,
-Maximum Loan Value,ارزش وام حداکثر,
-Account Info,اطلاعات حساب,
-Loan Account,حساب وام,
-Interest Income Account,حساب درآمد حاصل از بهره,
-Penalty Income Account,مجازات حساب درآمد,
-Repayment Schedule,برنامه بازپرداخت,
-Total Payable Amount,مجموع مبلغ قابل پرداخت,
-Total Principal Paid,کل مبلغ پرداخت شده,
-Total Interest Payable,منافع کل قابل پرداخت,
-Total Amount Paid,کل مبلغ پرداخت شده,
-Loan Manager,مدیر وام,
-Loan Info,وام اطلاعات,
-Rate of Interest,نرخ بهره,
-Proposed Pledges,تعهدات پیشنهادی,
-Maximum Loan Amount,حداکثر مبلغ وام,
-Repayment Info,اطلاعات بازپرداخت,
-Total Payable Interest,مجموع بهره قابل پرداخت,
-Against Loan ,در برابر وام,
-Loan Interest Accrual,بهره وام تعهدی,
-Amounts,مقدار,
-Pending Principal Amount,در انتظار مبلغ اصلی,
-Payable Principal Amount,مبلغ اصلی قابل پرداخت,
-Paid Principal Amount,مبلغ اصلی پرداخت شده,
-Paid Interest Amount,مبلغ سود پرداخت شده,
-Process Loan Interest Accrual,بهره وام فرآیند تعهدی,
-Repayment Schedule Name,نام برنامه بازپرداخت,
 Regular Payment,پرداخت منظم,
 Loan Closure,بسته شدن وام,
-Payment Details,جزئیات پرداخت,
-Interest Payable,بهره قابل پرداخت,
-Amount Paid,مبلغ پرداخت شده,
-Principal Amount Paid,مبلغ اصلی پرداخت شده,
-Repayment Details,جزئیات بازپرداخت,
-Loan Repayment Detail,جزئیات بازپرداخت وام,
-Loan Security Name,نام امنیتی وام,
-Unit Of Measure,واحد اندازه گیری,
-Loan Security Code,کد امنیتی وام,
-Loan Security Type,نوع امنیتی وام,
-Haircut %,اصلاح مو ٪,
-Loan  Details,جزئیات وام,
-Unpledged,بدون استفاده,
-Pledged,قول داده,
-Partially Pledged,تا حدی تعهد شده,
-Securities,اوراق بهادار,
-Total Security Value,ارزش امنیتی کل,
-Loan Security Shortfall,کمبود امنیت وام,
-Loan ,وام,
-Shortfall Time,زمان کمبود,
-America/New_York,آمریکا / New_York,
-Shortfall Amount,مقدار کمبود,
-Security Value ,ارزش امنیتی,
-Process Loan Security Shortfall,کمبود امنیت وام فرآیند,
-Loan To Value Ratio,نسبت وام به ارزش,
-Unpledge Time,زمان قطع شدن,
-Loan Name,نام وام,
 Rate of Interest (%) Yearly,نرخ بهره (٪) سالانه,
-Penalty Interest Rate (%) Per Day,مجازات نرخ بهره (٪) در روز,
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,در صورت تأخیر در بازپرداخت ، نرخ بهره مجازات به میزان روزانه مبلغ بهره در نظر گرفته می شود,
-Grace Period in Days,دوره گریس در روزها,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,تعداد روزها از تاریخ سررسید تا زمانی که مجازات در صورت تاخیر در بازپرداخت وام دریافت نمی شود,
-Pledge,سوگند - تعهد,
-Post Haircut Amount,مبلغ کوتاه کردن مو,
-Process Type,نوع فرآیند,
-Update Time,زمان بروزرسانی,
-Proposed Pledge,تعهد پیشنهادی,
-Total Payment,مبلغ کل قابل پرداخت,
-Balance Loan Amount,تعادل وام مبلغ,
-Is Accrued,رمزگذاری شده است,
 Salary Slip Loan,وام وام لغزش,
 Loan Repayment Entry,ورودی بازپرداخت وام,
-Sanctioned Loan Amount,مبلغ وام تحریم شده,
-Sanctioned Amount Limit,حد مجاز مجاز تحریم,
-Unpledge,ناخواسته,
-Haircut,اصلاح مو,
 MAT-MSH-.YYYY.-,MAT-MSH- .YYYY.-,
 Generate Schedule,تولید برنامه,
 Schedules,برنامه,
@@ -7885,7 +7749,6 @@
 Update Series,به روز رسانی سری,
 Change the starting / current sequence number of an existing series.,تغییر شروع / شماره توالی فعلی از یک سری موجود است.,
 Prefix,پیشوند,
-Current Value,ارزش فعلی,
 This is the number of the last created transaction with this prefix,این تعداد از آخرین معامله ایجاد شده با این پیشوند است,
 Update Series Number,به روز رسانی سری شماره,
 Quotation Lost Reason,نقل قول را فراموش کرده اید دلیل,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise توصیه ترتیب مجدد سطح,
 Lead Details,مشخصات راهبر,
 Lead Owner Efficiency,بهره وری مالک سرب,
-Loan Repayment and Closure,بازپرداخت وام وام,
-Loan Security Status,وضعیت امنیتی وام,
 Lost Opportunity,فرصت از دست رفته,
 Maintenance Schedules,برنامه های  نگهداری و تعمیرات,
 Material Requests for which Supplier Quotations are not created,درخواست مواد که نقل قول تامین کننده ایجاد نمی,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},تعداد مورد نظر: {0},
 Payment Account is mandatory,حساب پرداخت اجباری است,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.",در صورت بررسی ، قبل از محاسبه مالیات بر درآمد ، بدون هیچ گونه اظهارنامه یا اثبات اثبات ، کل مبلغ از درآمد مشمول مالیات کسر می شود.,
-Disbursement Details,جزئیات پرداخت,
 Material Request Warehouse,انبار درخواست مواد,
 Select warehouse for material requests,انبار را برای درخواست های مواد انتخاب کنید,
 Transfer Materials For Warehouse {0},انتقال مواد برای انبار {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,مبلغ مطالبه نشده از حقوق را بازپرداخت کنید,
 Deduction from salary,کسر از حقوق,
 Expired Leaves,برگهای منقضی شده,
-Reference No,شماره مرجع,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,درصد کاهش مو به درصد اختلاف بین ارزش بازار ضمانت وام و ارزشی است که به عنوان وثیقه وام هنگام استفاده به عنوان وثیقه آن وام به آن تعلق می گیرد.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,نسبت وام به ارزش ، نسبت مبلغ وام به ارزش وثیقه تعهد شده را بیان می کند. اگر این مقدار کمتر از مقدار تعیین شده برای هر وام باشد ، کسری امنیت وام ایجاد می شود,
 If this is not checked the loan by default will be considered as a Demand Loan,اگر این مورد بررسی نشود ، وام به طور پیش فرض به عنوان وام تقاضا در نظر گرفته می شود,
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,این حساب برای رزرو بازپرداخت وام از وام گیرنده و همچنین پرداخت وام به وام گیرنده استفاده می شود,
 This account is capital account which is used to allocate capital for loan disbursal account ,این حساب حساب سرمایه ای است که برای تخصیص سرمایه برای حساب پرداخت وام استفاده می شود,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},عملیات {0} به دستور کار تعلق ندارد {1},
 Print UOM after Quantity,UOM را بعد از Quantity چاپ کنید,
 Set default {0} account for perpetual inventory for non stock items,حساب پیش فرض {0} را برای موجودی دائمی اقلام غیر سهام تنظیم کنید,
-Loan Security {0} added multiple times,امنیت وام {0} چندین بار اضافه شده است,
-Loan Securities with different LTV ratio cannot be pledged against one loan,اوراق بهادار وام با نسبت LTV متفاوت را نمی توان در مقابل یک وام تعهد کرد,
-Qty or Amount is mandatory for loan security!,برای امنیت وام تعداد یا مبلغ اجباری است!,
-Only submittted unpledge requests can be approved,فقط درخواست های بی قید ارسال شده قابل تأیید است,
-Interest Amount or Principal Amount is mandatory,مبلغ بهره یا مبلغ اصلی اجباری است,
-Disbursed Amount cannot be greater than {0},مبلغ پرداختی نمی تواند بیشتر از {0} باشد,
-Row {0}: Loan Security {1} added multiple times,ردیف {0}: امنیت وام {1} چندین بار اضافه شده است,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,ردیف شماره {0}: مورد کودک نباید یک بسته محصول باشد. لطفاً مورد {1} را حذف کرده و ذخیره کنید,
 Credit limit reached for customer {0},سقف اعتبار برای مشتری {0} رسیده است,
 Could not auto create Customer due to the following missing mandatory field(s):,به دلیل وجود فیلد (های) اجباری زیر ، مشتری به طور خودکار ایجاد نمی شود:,
diff --git a/erpnext/translations/fi.csv b/erpnext/translations/fi.csv
index b374fb1..b06e5df 100644
--- a/erpnext/translations/fi.csv
+++ b/erpnext/translations/fi.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Sovelletaan, jos yritys on SpA, SApA tai SRL",
 Applicable if the company is a limited liability company,"Sovelletaan, jos yritys on osakeyhtiö",
 Applicable if the company is an Individual or a Proprietorship,"Sovelletaan, jos yritys on yksityishenkilö tai omistaja",
-Applicant,hakija,
-Applicant Type,Hakijan tyyppi,
 Application of Funds (Assets),sovellus varat (vastaavat),
 Application period cannot be across two allocation records,Sovellusjakso ei voi olla kahden jakotiedon välissä,
 Application period cannot be outside leave allocation period,Hakuaika ei voi ulkona loman jakokauteen,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,"Luettelo osakkeenomistajista, joilla on folionumerot",
 Loading Payment System,Maksujärjestelmän lataaminen,
 Loan,Lainata,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Lainamäärä voi ylittää suurin lainamäärä on {0},
-Loan Application,Lainahakemus,
-Loan Management,Lainanhallinta,
-Loan Repayment,Lainan takaisinmaksu,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Lainan alkamispäivä ja laina-aika ovat pakollisia laskun diskonttauksen tallentamiseksi,
 Loans (Liabilities),lainat (vastattavat),
 Loans and Advances (Assets),Lainat ja ennakot (vastaavat),
@@ -1611,7 +1605,6 @@
 Monday,Maanantai,
 Monthly,Kuukausi,
 Monthly Distribution,toimitus kuukaudessa,
-Monthly Repayment Amount cannot be greater than Loan Amount,Kuukauden lyhennyksen määrä ei voi olla suurempi kuin Lainamäärä,
 More,Lisää,
 More Information,Lisätiedot,
 More than one selection for {0} not allowed,Useampi kuin {0} valinta ei ole sallittu,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Maksa {0} {1},
 Payable,Maksettava,
 Payable Account,Maksettava tili,
-Payable Amount,Maksettava määrä,
 Payment,maksu,
 Payment Cancelled. Please check your GoCardless Account for more details,Maksu peruutettiin. Tarkista GoCardless-tilisi tarkempia tietoja,
 Payment Confirmation,Maksuvahvistus,
-Payment Date,Maksupäivä,
 Payment Days,Maksupäivää,
 Payment Document,Maksu asiakirja,
 Payment Due Date,Maksun eräpäivä,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,Anna ostokuitti ensin,
 Please enter Receipt Document,Anna kuitti asiakirja,
 Please enter Reference date,Anna Viiteajankohta,
-Please enter Repayment Periods,Anna takaisinmaksuajat,
 Please enter Reqd by Date,Anna Reqd päivämäärän mukaan,
 Please enter Woocommerce Server URL,Anna Woocommerce-palvelimen URL-osoite,
 Please enter Write Off Account,Syötä poistotili,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,Syötä pääkustannuspaikka,
 Please enter quantity for Item {0},Kirjoita kpl määrä tuotteelle {0},
 Please enter relieving date.,Syötä lievittää päivämäärä.,
-Please enter repayment Amount,Anna lyhennyksen määrä,
 Please enter valid Financial Year Start and End Dates,Anna kelvollinen tilivuoden alkamis- ja päättymispäivä,
 Please enter valid email address,Anna voimassa oleva sähköpostiosoite,
 Please enter {0} first,Kirjoita {0} ensimmäisen,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Hinnoittelusäännöt on suodatettu määrän mukaan,
 Primary Address Details,Ensisijaiset osoitetiedot,
 Primary Contact Details,Ensisijaiset yhteystiedot,
-Principal Amount,Lainapääoma,
 Print Format,Tulostusmuoto,
 Print IRS 1099 Forms,Tulosta IRS 1099 -lomakkeet,
 Print Report Card,Tulosta raporttikortti,
@@ -2550,7 +2538,6 @@
 Sample Collection,Näytteenottokokoelma,
 Sample quantity {0} cannot be more than received quantity {1},Näytteen määrä {0} ei voi olla suurempi kuin vastaanotettu määrä {1},
 Sanctioned,seuraamuksia,
-Sanctioned Amount,Hyväksyttävä määrä,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Hyväksyttävän määrä ei voi olla suurempi kuin korvauksen määrä rivillä {0}.,
 Sand,Hiekka,
 Saturday,Lauantai,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0}: llä on jo vanhempainmenettely {1}.,
 API,API,
 Annual,Vuotuinen,
-Approved,hyväksytty,
 Change,muutos,
 Contact Email,"yhteystiedot, sähköposti",
 Export Type,Vientityyppi,
@@ -3571,7 +3557,6 @@
 Account Value,Tilin arvo,
 Account is mandatory to get payment entries,Tili on pakollinen maksumerkintöjen saamiseksi,
 Account is not set for the dashboard chart {0},Tiliä ei ole asetettu kojetaulukartalle {0},
-Account {0} does not belong to company {1},tili {0} ei kuulu yritykselle {1},
 Account {0} does not exists in the dashboard chart {1},Tiliä {0} ei ole kojetaulun kaaviossa {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,"Tili: <b>{0}</b> on pääoma Käynnissä oleva työ, jota ei voi päivittää päiväkirjakirjauksella",
 Account: {0} is not permitted under Payment Entry,Tili: {0} ei ole sallittu maksamisen yhteydessä,
@@ -3582,7 +3567,6 @@
 Activity,Aktiviteettiloki,
 Add / Manage Email Accounts.,Lisää / hallitse sähköpostitilejä,
 Add Child,lisää alasidos,
-Add Loan Security,Lisää lainaturva,
 Add Multiple,Lisää useita,
 Add Participants,Lisää osallistujia,
 Add to Featured Item,Lisää suositeltavaan tuotteeseen,
@@ -3593,15 +3577,12 @@
 Address Line 1,osoiterivi 1,
 Addresses,osoitteet,
 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ä.,
-Against Loan,Lainaa vastaan,
-Against Loan:,Lainaa vastaan:,
 All,Kaikki,
 All bank transactions have been created,Kaikki pankkitapahtumat on luotu,
 All the depreciations has been booked,Kaikki poistot on kirjattu,
 Allocation Expired!,Jako vanhentunut!,
 Allow Resetting Service Level Agreement from Support Settings.,Salli palvelutasosopimuksen palauttaminen tukiasetuksista.,
 Amount of {0} is required for Loan closure,Määrä {0} vaaditaan lainan lopettamiseen,
-Amount paid cannot be zero,Maksettu summa ei voi olla nolla,
 Applied Coupon Code,Sovellettu kuponkikoodi,
 Apply Coupon Code,Käytä kuponkikoodia,
 Appointment Booking,Ajanvaraus,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,"Saapumisaikaa ei voida laskea, koska ohjaimen osoite puuttuu.",
 Cannot Optimize Route as Driver Address is Missing.,"Reittiä ei voi optimoida, koska ajurin osoite puuttuu.",
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Tehtävää {0} ei voida suorittaa loppuun, koska sen riippuvainen tehtävä {1} ei ole suoritettu loppuun / peruutettu.",
-Cannot create loan until application is approved,Lainaa ei voi luoda ennen kuin hakemus on hyväksytty,
 Cannot find a matching Item. Please select some other value for {0}.,Nimikettä ei löydy. Valitse jokin muu arvo {0}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings",Tuotteen {0} rivillä {1} ei voida ylilaskuttaa enemmän kuin {2}. Aseta korvaus Tilin asetukset -kohdassa salliaksesi ylilaskutuksen,
 "Capacity Planning Error, planned start time can not be same as end time","Kapasiteetin suunnitteluvirhe, suunniteltu aloitusaika ei voi olla sama kuin lopetusaika",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Vähemmän kuin määrä,
 Liabilities,Velat,
 Loading...,Ladataan ...,
-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,
 Loan Applications from customers and employees.,Asiakkaiden ja työntekijöiden lainahakemukset.,
-Loan Disbursement,Lainan maksaminen,
 Loan Processes,Lainaprosessit,
-Loan Security,Lainan vakuus,
-Loan Security Pledge,Lainan vakuuslupaus,
-Loan Security Pledge Created : {0},Luototurva lupaus luotu: {0},
-Loan Security Price,Lainan vakuushinta,
-Loan Security Price overlapping with {0},Lainan vakuushinta päällekkäin {0} kanssa,
-Loan Security Unpledge,Lainan vakuudettomuus,
-Loan Security Value,Lainan vakuusarvo,
 Loan Type for interest and penalty rates,Lainatyyppi korkoihin ja viivästyskorkoihin,
-Loan amount cannot be greater than {0},Lainasumma ei voi olla suurempi kuin {0},
-Loan is mandatory,Laina on pakollinen,
 Loans,lainat,
 Loans provided to customers and employees.,Asiakkaille ja työntekijöille annetut lainat.,
 Location,Sijainti,
@@ -3894,7 +3863,6 @@
 Pay,Maksaa,
 Payment Document Type,Maksutodistuksen tyyppi,
 Payment Name,Maksun nimi,
-Penalty Amount,Rangaistuksen määrä,
 Pending,Odottaa,
 Performance,Esitys,
 Period based On,Kausi perustuu,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,Ole hyvä ja kirjaudu sisään Marketplace-käyttäjänä muokataksesi tätä tuotetta.,
 Please login as a Marketplace User to report this item.,Ole hyvä ja kirjaudu sisään Marketplace-käyttäjäksi ilmoittaaksesi tästä tuotteesta.,
 Please select <b>Template Type</b> to download template,Valitse <b>mallityyppi</b> ladataksesi mallin,
-Please select Applicant Type first,Valitse ensin hakijan tyyppi,
 Please select Customer first,Valitse ensin asiakas,
 Please select Item Code first,Valitse ensin tuotekoodi,
-Please select Loan Type for company {0},Valitse lainatyyppi yritykselle {0},
 Please select a Delivery Note,Ole hyvä ja valitse lähetys,
 Please select a Sales Person for item: {0},Valitse tuotteelle myyjä: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Valitse toinen maksutapa. Raita ei tue käteisrahaan &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Aseta oletuspankkitili yritykselle {0},
 Please specify,Ilmoitathan,
 Please specify a {0},Määritä {0},lead
-Pledge Status,Pantin tila,
-Pledge Time,Pantti aika,
 Printing,Tulostus,
 Priority,prioriteetti,
 Priority has been changed to {0}.,Prioriteetti on muutettu arvoksi {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Käsitellään XML-tiedostoja,
 Profitability,kannattavuus,
 Project,Projekti,
-Proposed Pledges are mandatory for secured Loans,Ehdotetut lupaukset ovat pakollisia vakuudellisille lainoille,
 Provide the academic year and set the starting and ending date.,Anna lukuvuosi ja aseta alkamis- ja päättymispäivä.,
 Public token is missing for this bank,Tästä pankista puuttuu julkinen tunnus,
 Publish,Julkaista,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Ostosetelillä ei ole nimikettä, jolle säilytä näyte.",
 Purchase Return,Osto Return,
 Qty of Finished Goods Item,Määrä valmiita tavaroita,
-Qty or Amount is mandatroy for loan security,Määrä tai määrä on pakollinen lainan vakuudelle,
 Quality Inspection required for Item {0} to submit,Tuotteen {0} lähettämistä varten vaaditaan laatutarkastus,
 Quantity to Manufacture,Valmistusmäärä,
 Quantity to Manufacture can not be zero for the operation {0},Valmistusmäärä ei voi olla nolla toiminnolle {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Päivityspäivämäärän on oltava suurempi tai yhtä suuri kuin Liittymispäivä,
 Rename,Nimeä uudelleen,
 Rename Not Allowed,Nimeä uudelleen ei sallita,
-Repayment Method is mandatory for term loans,Takaisinmaksutapa on pakollinen lainoille,
-Repayment Start Date is mandatory for term loans,Takaisinmaksun alkamispäivä on pakollinen lainoille,
 Report Item,Raportoi esine,
 Report this Item,Ilmoita asiasta,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Varattu määrä alihankintana: Raaka-aineiden määrä alihankintana olevien tuotteiden valmistamiseksi.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Rivi ({0}): {1} on jo alennettu hintaan {2},
 Rows Added in {0},Rivit lisätty kohtaan {0},
 Rows Removed in {0},Rivit poistettu {0},
-Sanctioned Amount limit crossed for {0} {1},{0} {1} ylitetty pakollinen rajoitus,
-Sanctioned Loan Amount already exists for {0} against company {1},Yritykselle {1} on jo olemassa sanktion lainan määrä yritykselle {0},
 Save,Tallenna,
 Save Item,Tallenna tuote,
 Saved Items,Tallennetut kohteet,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Käyttäjä {0} on poistettu käytöstä,
 Users and Permissions,Käyttäjät ja käyttöoikeudet,
 Vacancies cannot be lower than the current openings,Avoimet työpaikat eivät voi olla alhaisemmat kuin nykyiset aukot,
-Valid From Time must be lesser than Valid Upto Time.,Voimassa alkaen on oltava pienempi kuin voimassa oleva lisäaika.,
 Valuation Rate required for Item {0} at row {1},Kohteen {0} rivillä {1} vaaditaan arvonkorotus,
 Values Out Of Sync,Arvot ovat synkronoimattomia,
 Vehicle Type is required if Mode of Transport is Road,"Ajoneuvotyyppi vaaditaan, jos kuljetusmuoto on tie",
@@ -4211,7 +4168,6 @@
 Add to Cart,Lisää koriin,
 Days Since Last Order,Päivät viimeisestä tilauksesta,
 In Stock,Varastossa,
-Loan Amount is mandatory,Lainan määrä on pakollinen,
 Mode Of Payment,Maksutapa,
 No students Found,Ei opiskelijoita,
 Not in Stock,Ei varastossa,
@@ -4240,7 +4196,6 @@
 Group by,ryhmän,
 In stock,Varastossa,
 Item name,Nimikkeen nimi,
-Loan amount is mandatory,Lainan määrä on pakollinen,
 Minimum Qty,Vähimmäismäärä,
 More details,Lisätietoja,
 Nature of Supplies,Tavaroiden luonne,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Suoritettu kokonaismäärä,
 Qty to Manufacture,Valmistettava yksikkömäärä,
 Repay From Salary can be selected only for term loans,Palautus palkkasta voidaan valita vain määräaikaisille lainoille,
-No valid Loan Security Price found for {0},Kohteelle {0} ei löytynyt kelvollista lainan vakuushintaa,
-Loan Account and Payment Account cannot be same,Lainatili ja maksutili eivät voi olla samat,
-Loan Security Pledge can only be created for secured loans,Lainatakauslupa voidaan luoda vain vakuudellisille lainoille,
 Social Media Campaigns,Sosiaalisen median kampanjat,
 From Date can not be greater than To Date,Aloituspäivä ei voi olla suurempi kuin Päivämäärä,
 Please set a Customer linked to the Patient,Määritä potilaan kanssa linkitetty asiakas,
@@ -6437,7 +6389,6 @@
 HR User,HR käyttäjä,
 Appointment Letter,Nimityskirje,
 Job Applicant,Työnhakija,
-Applicant Name,hakijan nimi,
 Appointment Date,Nimityspäivämäärä,
 Appointment Letter Template,Nimityskirjemalli,
 Body,ruumis,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Sync in Progress,
 Hub Seller Name,Hub Myyjän nimi,
 Custom Data,Mukautetut tiedot,
-Member,Jäsen,
-Partially Disbursed,osittain maksettu,
-Loan Closure Requested,Pyydetty lainan sulkeminen,
 Repay From Salary,Maksaa maasta Palkka,
-Loan Details,Loan tiedot,
-Loan Type,laina Tyyppi,
-Loan Amount,Lainan määrä,
-Is Secured Loan,On vakuudellinen laina,
-Rate of Interest (%) / Year,Korkokanta (%) / vuosi,
-Disbursement Date,maksupäivä,
-Disbursed Amount,Maksettu määrä,
-Is Term Loan,On laina,
-Repayment Method,lyhennystapa,
-Repay Fixed Amount per Period,Repay kiinteä määrä Period,
-Repay Over Number of Periods,Repay Yli Kausien määrä,
-Repayment Period in Months,Takaisinmaksuaika kuukausina,
-Monthly Repayment Amount,Kuukauden lyhennyksen määrä,
-Repayment Start Date,Takaisinmaksun alkamispäivä,
-Loan Security Details,Lainan vakuustiedot,
-Maximum Loan Value,Lainan enimmäisarvo,
-Account Info,Tilitiedot,
-Loan Account,Laina-tili,
-Interest Income Account,Korkotuotot Account,
-Penalty Income Account,Rangaistustulotili,
-Repayment Schedule,maksuaikataulusta,
-Total Payable Amount,Yhteensä Maksettava määrä,
-Total Principal Paid,Pääoma yhteensä,
-Total Interest Payable,Koko Korkokulut,
-Total Amount Paid,Maksettu kokonaismäärä,
-Loan Manager,Lainanhoitaja,
-Loan Info,laina Info,
-Rate of Interest,Kiinnostuksen taso,
-Proposed Pledges,Ehdotetut lupaukset,
-Maximum Loan Amount,Suurin lainamäärä,
-Repayment Info,takaisinmaksu Info,
-Total Payable Interest,Yhteensä Maksettava korko,
-Against Loan ,Lainaa vastaan,
-Loan Interest Accrual,Lainakorkojen karttuminen,
-Amounts,määrät,
-Pending Principal Amount,Odottaa pääomaa,
-Payable Principal Amount,Maksettava pääoma,
-Paid Principal Amount,Maksettu päämäärä,
-Paid Interest Amount,Maksettu korko,
-Process Loan Interest Accrual,Prosessilainakorkojen karttuminen,
-Repayment Schedule Name,Takaisinmaksuaikataulun nimi,
 Regular Payment,Säännöllinen maksu,
 Loan Closure,Lainan sulkeminen,
-Payment Details,Maksutiedot,
-Interest Payable,Maksettava korko,
-Amount Paid,maksettu summa,
-Principal Amount Paid,Maksettu päämäärä,
-Repayment Details,Takaisinmaksun yksityiskohdat,
-Loan Repayment Detail,Lainan takaisinmaksutiedot,
-Loan Security Name,Lainan arvopaperi,
-Unit Of Measure,Mittayksikkö,
-Loan Security Code,Lainan turvakoodi,
-Loan Security Type,Lainan vakuustyyppi,
-Haircut %,Hiusten leikkaus,
-Loan  Details,Lainan yksityiskohdat,
-Unpledged,Unpledged,
-Pledged,Pantatut,
-Partially Pledged,Osittain luvattu,
-Securities,arvopaperit,
-Total Security Value,Kokonaisarvoarvo,
-Loan Security Shortfall,Lainavakuus,
-Loan ,Lainata,
-Shortfall Time,Puute aika,
-America/New_York,America / New_York,
-Shortfall Amount,Vajeen määrä,
-Security Value ,Turva-arvo,
-Process Loan Security Shortfall,Prosessilainan turvavaje,
-Loan To Value Ratio,Lainan ja arvon suhde,
-Unpledge Time,Luopumisaika,
-Loan Name,laina Name,
 Rate of Interest (%) Yearly,Korkokanta (%) Vuotuinen,
-Penalty Interest Rate (%) Per Day,Rangaistuskorko (%) päivässä,
-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",
-Grace Period in Days,Arvonjakso päivinä,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,"Päivien määrä eräpäivästä, johon mennessä sakkoa ei veloiteta lainan takaisinmaksun viivästyessä",
-Pledge,pantti,
-Post Haircut Amount,Postitusleikkauksen määrä,
-Process Type,Prosessin tyyppi,
-Update Time,Päivitä aika,
-Proposed Pledge,Ehdotettu lupaus,
-Total Payment,Koko maksu,
-Balance Loan Amount,Balance Lainamäärä,
-Is Accrued,On kertynyt,
 Salary Slip Loan,Palkkavelkakirjalaina,
 Loan Repayment Entry,Lainan takaisinmaksu,
-Sanctioned Loan Amount,Seuraamuslainan määrä,
-Sanctioned Amount Limit,Sanktioitu rajoitus,
-Unpledge,Unpledge,
-Haircut,hiustyyli,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,muodosta aikataulu,
 Schedules,Aikataulut,
@@ -7885,7 +7749,6 @@
 Update Series,Päivitä sarjat,
 Change the starting / current sequence number of an existing series.,muuta aloitusta / nykyselle järjestysnumerolle tai olemassa oleville sarjoille,
 Prefix,Etuliite,
-Current Value,Nykyinen arvo,
 This is the number of the last created transaction with this prefix,Viimeinen tapahtuma on tehty tällä numerolla ja tällä etuliitteellä,
 Update Series Number,Päivitä sarjanumerot,
 Quotation Lost Reason,"Tarjous hävitty, syy",
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Tuotekohtainen suositeltu täydennystilaustaso,
 Lead Details,Liidin lisätiedot,
 Lead Owner Efficiency,Lyijy Omistaja Tehokkuus,
-Loan Repayment and Closure,Lainan takaisinmaksu ja lopettaminen,
-Loan Security Status,Lainan turvataso,
 Lost Opportunity,Kadonnut mahdollisuus,
 Maintenance Schedules,huoltoaikataulut,
 Material Requests for which Supplier Quotations are not created,Materiaalipyynnöt ilman toimituskykytiedustelua,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Kohdennetut määrät: {0},
 Payment Account is mandatory,Maksutili on pakollinen,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Jos tämä on valittu, koko summa vähennetään verotettavasta tulosta ennen tuloveron laskemista ilman ilmoitusta tai todisteita.",
-Disbursement Details,Maksutiedot,
 Material Request Warehouse,Materiaalipyyntövarasto,
 Select warehouse for material requests,Valitse varasto materiaalipyyntöjä varten,
 Transfer Materials For Warehouse {0},Siirrä materiaaleja varastoon {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Palauta takaisin perimät palkat,
 Deduction from salary,Vähennys palkasta,
 Expired Leaves,Vanhentuneet lehdet,
-Reference No,Viitenumero,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,Aliarvostusprosentti on prosenttiero Lainapaperin markkina-arvon ja kyseiselle Lainapaperille annetun arvon välillä käytettäessä kyseisen lainan vakuudeksi.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,"Lainan ja arvon suhde ilmaisee lainan määrän suhde pantatun vakuuden arvoon. Lainan vakuusvajaus syntyy, jos se laskee alle lainan määritetyn arvon",
 If this is not checked the loan by default will be considered as a Demand Loan,"Jos tätä ei ole valittu, laina katsotaan oletuksena kysyntälainaksi",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Tätä tiliä käytetään lainan takaisinmaksun varaamiseen luotonsaajalta ja lainojen maksamiseen myös luotonottajalle,
 This account is capital account which is used to allocate capital for loan disbursal account ,"Tämä tili on pääomatili, jota käytetään pääoman kohdistamiseen lainan maksamiseen",
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Operaatio {0} ei kuulu työmääräykseen {1},
 Print UOM after Quantity,Tulosta UOM määrän jälkeen,
 Set default {0} account for perpetual inventory for non stock items,Aseta oletusarvoinen {0} tili ikuiselle mainosjakaumalle muille kuin varastossa oleville tuotteille,
-Loan Security {0} added multiple times,Lainan vakuus {0} lisätty useita kertoja,
-Loan Securities with different LTV ratio cannot be pledged against one loan,"Lainapapereita, joilla on erilainen LTV-suhde, ei voida pantata yhtä lainaa kohti",
-Qty or Amount is mandatory for loan security!,Määrä tai määrä on pakollinen lainan vakuudeksi!,
-Only submittted unpledge requests can be approved,Vain toimitetut vakuudettomat pyynnöt voidaan hyväksyä,
-Interest Amount or Principal Amount is mandatory,Korkosumma tai pääoma on pakollinen,
-Disbursed Amount cannot be greater than {0},Maksettu summa ei voi olla suurempi kuin {0},
-Row {0}: Loan Security {1} added multiple times,Rivi {0}: Lainan vakuus {1} lisätty useita kertoja,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Rivi # {0}: Alatuotteen ei pitäisi olla tuotepaketti. Poista kohde {1} ja tallenna,
 Credit limit reached for customer {0},Luottoraja saavutettu asiakkaalle {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Asiakasta ei voitu luoda automaattisesti seuraavien pakollisten kenttien puuttuessa:,
diff --git a/erpnext/translations/fr.csv b/erpnext/translations/fr.csv
index bede718..0f59345 100644
--- a/erpnext/translations/fr.csv
+++ b/erpnext/translations/fr.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Applicable si la société est SpA, SApA ou SRL",
 Applicable if the company is a limited liability company,Applicable si la société est une société à responsabilité limitée,
 Applicable if the company is an Individual or a Proprietorship,Applicable si la société est un particulier ou une entreprise,
-Applicant,Candidat,
-Applicant Type,Type de demandeur,
 Application of Funds (Assets),Emplois des Ressources (Actifs),
 Application period cannot be across two allocation records,La période de demande ne peut pas être sur deux périodes d'allocations,
 Application period cannot be outside leave allocation period,La période de la demande ne peut pas être hors de la période d'allocation de congé,
@@ -1470,10 +1468,6 @@
 List of available Shareholders with folio numbers,Liste des actionnaires disponibles avec numéros de folio,
 Loading Payment System,Chargement du système de paiement,
 Loan,Prêt,
-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},
-Loan Application,Demande de prêt,
-Loan Management,Gestion des prêts,
-Loan Repayment,Remboursement de prêt,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,La date de début du prêt et la période du prêt sont obligatoires pour sauvegarder le décompte des factures.,
 Loans (Liabilities),Prêts (Passif),
 Loans and Advances (Assets),Prêts et avances (actif),
@@ -1610,7 +1604,6 @@
 Monday,Lundi,
 Monthly,Mensuel,
 Monthly Distribution,Répartition Mensuelle,
-Monthly Repayment Amount cannot be greater than Loan Amount,Montant du Remboursement Mensuel ne peut pas être supérieur au Montant du Prêt,
 More,Plus,
 More Information,Informations Complémentaires,
 More than one selection for {0} not allowed,Plus d'une sélection pour {0} non autorisée,
@@ -1883,11 +1876,9 @@
 Pay {0} {1},Payer {0} {1},
 Payable,Créditeur,
 Payable Account,Comptes Créditeurs,
-Payable Amount,Montant payable,
 Payment,Paiement,
 Payment Cancelled. Please check your GoCardless Account for more details,Paiement annulé. Veuillez vérifier votre compte GoCardless pour plus de détails,
 Payment Confirmation,Confirmation de paiement,
-Payment Date,Date de paiement,
 Payment Days,Jours de paiement,
 Payment Document,Document de paiement,
 Payment Due Date,Date d'Échéance de Paiement,
@@ -1981,7 +1972,6 @@
 Please enter Purchase Receipt first,Veuillez d’abord entrer un Reçu d'Achat,
 Please enter Receipt Document,Veuillez entrer le Document de Réception,
 Please enter Reference date,Veuillez entrer la date de Référence,
-Please enter Repayment Periods,Veuillez entrer les Périodes de Remboursement,
 Please enter Reqd by Date,Veuillez entrer Reqd par date,
 Please enter Woocommerce Server URL,Veuillez entrer l'URL du serveur Woocommerce,
 Please enter Write Off Account,Veuillez entrer un Compte de Reprise,
@@ -1993,7 +1983,6 @@
 Please enter parent cost center,Veuillez entrer le centre de coût parent,
 Please enter quantity for Item {0},Veuillez entrer une quantité pour l'article {0},
 Please enter relieving date.,Veuillez entrer la date de relève.,
-Please enter repayment Amount,Veuillez entrer le Montant de remboursement,
 Please enter valid Financial Year Start and End Dates,Veuillez entrer des Dates de Début et de Fin d’Exercice Comptable valides,
 Please enter valid email address,Entrez une adresse email valide,
 Please enter {0} first,Veuillez d’abord entrer {0},
@@ -2159,7 +2148,6 @@
 Pricing Rules are further filtered based on quantity.,Les Règles de Tarification sont d'avantage filtrés en fonction de la quantité.,
 Primary Address Details,Détails de l'adresse principale,
 Primary Contact Details,Détails du contact principal,
-Principal Amount,Montant Principal,
 Print Format,Format d'Impression,
 Print IRS 1099 Forms,Imprimer les formulaires IRS 1099,
 Print Report Card,Imprimer le rapport,
@@ -2549,7 +2537,6 @@
 Sample Collection,Collecte d'Échantillons,
 Sample quantity {0} cannot be more than received quantity {1},La quantité d'échantillon {0} ne peut pas dépasser la quantité reçue {1},
 Sanctioned,Sanctionné,
-Sanctioned Amount,Montant Approuvé,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Le Montant Approuvé ne peut pas être supérieur au Montant Réclamé à la ligne {0}.,
 Sand,Le sable,
 Saturday,Samedi,
@@ -2887,7 +2874,7 @@
 Supplies made to Unregistered Persons,Fournitures faites à des personnes non inscrites,
 Suppliies made to Composition Taxable Persons,Suppleies à des personnes assujetties à la composition,
 Supply Type,Type d'approvisionnement,
-Support,"Assistance/Support",
+Support,Assistance/Support,
 Support Analytics,Analyse de l'assistance,
 Support Settings,Paramètres du module Assistance,
 Support Tickets,Ticket d'assistance,
@@ -3540,7 +3527,6 @@
 {0} already has a Parent Procedure {1}.,{0} a déjà une procédure parent {1}.,
 API,API,
 Annual,Annuel,
-Approved,Approuvé,
 Change,Changement,
 Contact Email,Email du Contact,
 Export Type,Type d'Exportation,
@@ -3570,7 +3556,6 @@
 Account Value,Valeur du compte,
 Account is mandatory to get payment entries,Le compte est obligatoire pour obtenir les entrées de paiement,
 Account is not set for the dashboard chart {0},Le compte n'est pas défini pour le graphique du tableau de bord {0},
-Account {0} does not belong to company {1},Compte {0} n'appartient pas à la société {1},
 Account {0} does not exists in the dashboard chart {1},Le compte {0} n'existe pas dans le graphique du tableau de bord {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Compte: <b>{0}</b> est un travail capital et ne peut pas être mis à jour par une écriture au journal.,
 Account: {0} is not permitted under Payment Entry,Compte: {0} n'est pas autorisé sous Saisie du paiement.,
@@ -3581,7 +3566,6 @@
 Activity,Activité,
 Add / Manage Email Accounts.,Ajouter / Gérer les Comptes de Messagerie.,
 Add Child,Ajouter une Sous-Catégorie,
-Add Loan Security,Ajouter une garantie de prêt,
 Add Multiple,Ajout Multiple,
 Add Participants,Ajouter des participants,
 Add to Featured Item,Ajouter à l'article en vedette,
@@ -3592,15 +3576,12 @@
 Address Line 1,Adresse Ligne 1,
 Addresses,Adresses,
 Admission End Date should be greater than Admission Start Date.,La date de fin d'admission doit être supérieure à la date de début d'admission.,
-Against Loan,Contre le prêt,
-Against Loan:,Contre le prêt:,
 All,Tout,
 All bank transactions have been created,Toutes les transactions bancaires ont été créées,
 All the depreciations has been booked,Toutes les amortissements ont été comptabilisés,
 Allocation Expired!,Allocation expirée!,
 Allow Resetting Service Level Agreement from Support Settings.,Autoriser la réinitialisation du contrat de niveau de service à partir des paramètres de support.,
 Amount of {0} is required for Loan closure,Un montant de {0} est requis pour la clôture du prêt,
-Amount paid cannot be zero,Le montant payé ne peut pas être nul,
 Applied Coupon Code,Code de coupon appliqué,
 Apply Coupon Code,Appliquer le code de coupon,
 Appointment Booking,Prise de rendez-vous,
@@ -3648,7 +3629,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,Impossible de calculer l'heure d'arrivée car l'adresse du conducteur est manquante.,
 Cannot Optimize Route as Driver Address is Missing.,Impossible d'optimiser l'itinéraire car l'adresse du pilote est manquante.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Impossible de terminer la tâche {0} car sa tâche dépendante {1} n'est pas terminée / annulée.,
-Cannot create loan until application is approved,Impossible de créer un prêt tant que la demande n'est pas approuvée,
 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}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","La surfacturation pour le poste {0} dans la ligne {1} ne peut pas dépasser {2}. Pour autoriser la surfacturation, définissez la provision dans les paramètres du compte.",
 "Capacity Planning Error, planned start time can not be same as end time","Erreur de planification de capacité, l'heure de début prévue ne peut pas être identique à l'heure de fin",
@@ -3811,20 +3791,9 @@
 Less Than Amount,Moins que le montant,
 Liabilities,Passifs,
 Loading...,Chargement en Cours ...,
-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,
 Loan Applications from customers and employees.,Demandes de prêt des clients et des employés.,
-Loan Disbursement,Déboursement de l'emprunt,
 Loan Processes,Processus de prêt,
-Loan Security,Sécurité des prêts,
-Loan Security Pledge,Garantie de prêt,
-Loan Security Pledge Created : {0},Engagement de garantie de prêt créé: {0},
-Loan Security Price,Prix de la sécurité du prêt,
-Loan Security Price overlapping with {0},Le prix du titre de crédit se chevauche avec {0},
-Loan Security Unpledge,Désengagement de garantie de prêt,
-Loan Security Value,Valeur de la sécurité du prêt,
 Loan Type for interest and penalty rates,Type de prêt pour les taux d'intérêt et de pénalité,
-Loan amount cannot be greater than {0},Le montant du prêt ne peut pas être supérieur à {0},
-Loan is mandatory,Le prêt est obligatoire,
 Loans,Les prêts,
 Loans provided to customers and employees.,Prêts accordés aux clients et aux employés.,
 Location,Lieu,
@@ -3893,7 +3862,6 @@
 Pay,Payer,
 Payment Document Type,Type de document de paiement,
 Payment Name,Nom du paiement,
-Penalty Amount,Montant de la pénalité,
 Pending,En Attente,
 Performance,Performance,
 Period based On,Période basée sur,
@@ -3915,10 +3883,8 @@
 Please login as a Marketplace User to edit this item.,Veuillez vous connecter en tant qu'utilisateur Marketplace pour modifier cet article.,
 Please login as a Marketplace User to report this item.,Veuillez vous connecter en tant qu'utilisateur de la Marketplace pour signaler cet élément.,
 Please select <b>Template Type</b> to download template,Veuillez sélectionner le <b>type</b> de modèle pour télécharger le modèle,
-Please select Applicant Type first,Veuillez d'abord sélectionner le type de demandeur,
 Please select Customer first,S'il vous plaît sélectionnez d'abord le client,
 Please select Item Code first,Veuillez d'abord sélectionner le code d'article,
-Please select Loan Type for company {0},Veuillez sélectionner le type de prêt pour la société {0},
 Please select a Delivery Note,Veuillez sélectionner un bon de livraison,
 Please select a Sales Person for item: {0},Veuillez sélectionner un commercial pour l'article: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Veuillez sélectionner une autre méthode de paiement. Stripe ne prend pas en charge les transactions en devise '{0}',
@@ -3934,8 +3900,6 @@
 Please setup a default bank account for company {0},Veuillez configurer un compte bancaire par défaut pour la société {0}.,
 Please specify,Veuillez spécifier,
 Please specify a {0},Veuillez spécifier un {0},lead
-Pledge Status,Statut de mise en gage,
-Pledge Time,Pledge Time,
 Printing,Impression,
 Priority,Priorité,
 Priority has been changed to {0}.,La priorité a été changée en {0}.,
@@ -3943,7 +3907,6 @@
 Processing XML Files,Traitement des fichiers XML,
 Profitability,Rentabilité,
 Project,Projet,
-Proposed Pledges are mandatory for secured Loans,Les engagements proposés sont obligatoires pour les prêts garantis,
 Provide the academic year and set the starting and ending date.,Indiquez l'année universitaire et définissez la date de début et de fin.,
 Public token is missing for this bank,Un jeton public est manquant pour cette banque,
 Publish,Publier,
@@ -3959,7 +3922,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Le reçu d’achat ne contient aucun élément pour lequel Conserver échantillon est activé.,
 Purchase Return,Retour d'Achat,
 Qty of Finished Goods Item,Quantité de produits finis,
-Qty or Amount is mandatroy for loan security,La quantité ou le montant est obligatoire pour la garantie de prêt,
 Quality Inspection required for Item {0} to submit,Inspection de qualité requise pour que l'élément {0} soit envoyé,
 Quantity to Manufacture,Quantité à fabriquer,
 Quantity to Manufacture can not be zero for the operation {0},La quantité à fabriquer ne peut pas être nulle pour l'opération {0},
@@ -3980,8 +3942,6 @@
 Relieving Date must be greater than or equal to Date of Joining,La date de libération doit être supérieure ou égale à la date d'adhésion,
 Rename,Renommer,
 Rename Not Allowed,Renommer non autorisé,
-Repayment Method is mandatory for term loans,La méthode de remboursement est obligatoire pour les prêts à terme,
-Repayment Start Date is mandatory for term loans,La date de début de remboursement est obligatoire pour les prêts à terme,
 Report Item,Élément de rapport,
 Report this Item,Signaler cet article,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Quantité réservée pour la sous-traitance: quantité de matières premières pour fabriquer des articles sous-traités.,
@@ -4014,8 +3974,6 @@
 Row({0}): {1} is already discounted in {2},Ligne ({0}): {1} est déjà réduit dans {2}.,
 Rows Added in {0},Lignes ajoutées dans {0},
 Rows Removed in {0},Lignes supprimées dans {0},
-Sanctioned Amount limit crossed for {0} {1},Montant sanctionné dépassé pour {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},Le montant du prêt sanctionné existe déjà pour {0} contre l'entreprise {1},
 Save,sauvegarder,
 Save Item,Enregistrer l'élément,
 Saved Items,Articles sauvegardés,
@@ -4134,7 +4092,6 @@
 User {0} is disabled,Utilisateur {0} est désactivé,
 Users and Permissions,Utilisateurs et Autorisations,
 Vacancies cannot be lower than the current openings,Les postes vacants ne peuvent pas être inférieurs aux ouvertures actuelles,
-Valid From Time must be lesser than Valid Upto Time.,La période de validité doit être inférieure à la durée de validité.,
 Valuation Rate required for Item {0} at row {1},Taux de valorisation requis pour le poste {0} à la ligne {1},
 Values Out Of Sync,Valeurs désynchronisées,
 Vehicle Type is required if Mode of Transport is Road,Le type de véhicule est requis si le mode de transport est la route,
@@ -4210,7 +4167,6 @@
 Add to Cart,Ajouter au Panier,
 Days Since Last Order,Jours depuis la dernière commande,
 In Stock,En stock,
-Loan Amount is mandatory,Le montant du prêt est obligatoire,
 Mode Of Payment,Mode de Paiement,
 No students Found,Aucun étudiant trouvé,
 Not in Stock,En Rupture de Stock,
@@ -4239,7 +4195,6 @@
 Group by,Grouper Par,
 In stock,En stock,
 Item name,Libellé de l'article,
-Loan amount is mandatory,Le montant du prêt est obligatoire,
 Minimum Qty,Quantité minimum,
 More details,Plus de détails,
 Nature of Supplies,Nature des fournitures,
@@ -4408,9 +4363,6 @@
 Total Completed Qty,Total terminé Quantité,
 Qty to Manufacture,Quantité À Produire,
 Repay From Salary can be selected only for term loans,Le remboursement à partir du salaire ne peut être sélectionné que pour les prêts à terme,
-No valid Loan Security Price found for {0},Aucun prix de garantie de prêt valide trouvé pour {0},
-Loan Account and Payment Account cannot be same,Le compte de prêt et le compte de paiement ne peuvent pas être identiques,
-Loan Security Pledge can only be created for secured loans,Le gage de garantie de prêt ne peut être créé que pour les prêts garantis,
 Social Media Campaigns,Campagnes sur les réseaux sociaux,
 From Date can not be greater than To Date,La date de début ne peut pas être supérieure à la date,
 Please set a Customer linked to the Patient,Veuillez définir un client lié au patient,
@@ -6437,7 +6389,6 @@
 HR User,Chargé RH,
 Appointment Letter,Lettre de nomination,
 Job Applicant,Demandeur d'Emploi,
-Applicant Name,Nom du Candidat,
 Appointment Date,Date de rendez-vous,
 Appointment Letter Template,Modèle de lettre de nomination,
 Body,Corps,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Synchronisation en cours,
 Hub Seller Name,Nom du vendeur,
 Custom Data,Données personnalisées,
-Member,Membre,
-Partially Disbursed,Partiellement Décaissé,
-Loan Closure Requested,Clôture du prêt demandée,
 Repay From Salary,Rembourser avec le Salaire,
-Loan Details,Détails du Prêt,
-Loan Type,Type de Prêt,
-Loan Amount,Montant du Prêt,
-Is Secured Loan,Est un prêt garanti,
-Rate of Interest (%) / Year,Taux d'Intérêt (%) / Année,
-Disbursement Date,Date de Décaissement,
-Disbursed Amount,Montant décaissé,
-Is Term Loan,Est un prêt à terme,
-Repayment Method,Méthode de Remboursement,
-Repay Fixed Amount per Period,Rembourser un Montant Fixe par Période,
-Repay Over Number of Periods,Rembourser Sur le Nombre de Périodes,
-Repayment Period in Months,Période de Remboursement en Mois,
-Monthly Repayment Amount,Montant du Remboursement Mensuel,
-Repayment Start Date,Date de début du remboursement,
-Loan Security Details,Détails de la sécurité du prêt,
-Maximum Loan Value,Valeur maximale du prêt,
-Account Info,Information du Compte,
-Loan Account,Compte de prêt,
-Interest Income Account,Compte d'Intérêts Créditeurs,
-Penalty Income Account,Compte de revenu de pénalité,
-Repayment Schedule,Échéancier de Remboursement,
-Total Payable Amount,Montant Total Créditeur,
-Total Principal Paid,Total du capital payé,
-Total Interest Payable,Total des Intérêts à Payer,
-Total Amount Paid,Montant total payé,
-Loan Manager,Gestionnaire de prêts,
-Loan Info,Infos sur le Prêt,
-Rate of Interest,Taux d'Intérêt,
-Proposed Pledges,Engagements proposés,
-Maximum Loan Amount,Montant Max du Prêt,
-Repayment Info,Infos de Remboursement,
-Total Payable Interest,Total des Intérêts Créditeurs,
-Against Loan ,Contre prêt,
-Loan Interest Accrual,Accumulation des intérêts sur les prêts,
-Amounts,Les montants,
-Pending Principal Amount,Montant du capital en attente,
-Payable Principal Amount,Montant du capital payable,
-Paid Principal Amount,Montant du capital payé,
-Paid Interest Amount,Montant des intérêts payés,
-Process Loan Interest Accrual,Traitement des intérêts courus sur les prêts,
-Repayment Schedule Name,Nom du calendrier de remboursement,
 Regular Payment,Paiement régulier,
 Loan Closure,Clôture du prêt,
-Payment Details,Détails de paiement,
-Interest Payable,Intérêts payables,
-Amount Paid,Montant Payé,
-Principal Amount Paid,Montant du capital payé,
-Repayment Details,Détails du remboursement,
-Loan Repayment Detail,Détail du remboursement du prêt,
-Loan Security Name,Nom de la sécurité du prêt,
-Unit Of Measure,Unité de mesure,
-Loan Security Code,Code de sécurité du prêt,
-Loan Security Type,Type de garantie de prêt,
-Haircut %,La Coupe de cheveux %,
-Loan  Details,Détails du prêt,
-Unpledged,Non promis,
-Pledged,Promis,
-Partially Pledged,Partiellement promis,
-Securities,Titres,
-Total Security Value,Valeur de sécurité totale,
-Loan Security Shortfall,Insuffisance de la sécurité des prêts,
-Loan ,Prêt,
-Shortfall Time,Temps de déficit,
-America/New_York,Amérique / New_York,
-Shortfall Amount,Montant du déficit,
-Security Value ,Valeur de sécurité,
-Process Loan Security Shortfall,Insuffisance de la sécurité des prêts de processus,
-Loan To Value Ratio,Ratio prêt / valeur,
-Unpledge Time,Désengager le temps,
-Loan Name,Nom du Prêt,
 Rate of Interest (%) Yearly,Taux d'Intérêt (%) Annuel,
-Penalty Interest Rate (%) Per Day,Taux d'intérêt de pénalité (%) par jour,
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Le taux d'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,
-Grace Period in Days,Délai de grâce en jours,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,Nombre de jours à compter de la date d'échéance jusqu'à laquelle la pénalité ne sera pas facturée en cas de retard dans le remboursement du prêt,
-Pledge,Gage,
-Post Haircut Amount,Montant de la coupe de cheveux,
-Process Type,Type de processus,
-Update Time,Temps de mise à jour,
-Proposed Pledge,Engagement proposé,
-Total Payment,Paiement Total,
-Balance Loan Amount,Solde du Montant du Prêt,
-Is Accrued,Est accumulé,
 Salary Slip Loan,Avance sur salaire,
 Loan Repayment Entry,Entrée de remboursement de prêt,
-Sanctioned Loan Amount,Montant du prêt sanctionné,
-Sanctioned Amount Limit,Limite de montant sanctionnée,
-Unpledge,Désengager,
-Haircut,la Coupe de cheveux,
 MAT-MSH-.YYYY.-,MAT-MSH-YYYY.-,
 Generate Schedule,Créer un Échéancier,
 Schedules,Horaires,
@@ -7885,7 +7749,6 @@
 Update Series,Mettre à Jour les Séries,
 Change the starting / current sequence number of an existing series.,Changer le numéro initial/actuel d'une série existante.,
 Prefix,Préfixe,
-Current Value,Valeur actuelle,
 This is the number of the last created transaction with this prefix,Numéro de la dernière transaction créée avec ce préfixe,
 Update Series Number,Mettre à Jour la Série,
 Quotation Lost Reason,Raison de la Perte du Devis,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Renouvellement Recommandé par Article,
 Lead Details,Détails du Lead,
 Lead Owner Efficiency,Efficacité des Responsables des Leads,
-Loan Repayment and Closure,Remboursement et clôture de prêts,
-Loan Security Status,État de la sécurité du prêt,
 Lost Opportunity,Occasion perdue,
 Maintenance Schedules,Échéanciers d'Entretien,
 Material Requests for which Supplier Quotations are not created,Demandes de Matériel dont les Devis Fournisseur ne sont pas créés,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Nombre ciblé: {0},
 Payment Account is mandatory,Le compte de paiement est obligatoire,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Si coché, le montant total sera déduit du revenu imposable avant le calcul de l'impôt sur le revenu sans aucune déclaration ou soumission de preuve.",
-Disbursement Details,Détails des décaissements,
 Material Request Warehouse,Entrepôt de demande de matériel,
 Select warehouse for material requests,Sélectionnez l'entrepôt pour les demandes de matériel,
 Transfer Materials For Warehouse {0},Transférer des matériaux pour l'entrepôt {0},
@@ -8992,9 +8852,6 @@
 Repay unclaimed amount from salary,Rembourser le montant non réclamé sur le salaire,
 Deduction from salary,Déduction du salaire,
 Expired Leaves,Feuilles expirées,
-Reference No,Numéro de référence,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,Le pourcentage de coupe de cheveux est la différence en pourcentage entre la valeur marchande de la garantie de prêt et la valeur attribuée à cette garantie de prêt lorsqu'elle est utilisée comme garantie pour ce prêt.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,Le ratio prêt / valeur exprime le rapport entre le montant du prêt et la valeur de la garantie mise en gage. Un déficit de garantie de prêt sera déclenché si celui-ci tombe en dessous de la valeur spécifiée pour un prêt,
 If this is not checked the loan by default will be considered as a Demand Loan,"Si cette case n'est pas cochée, le prêt par défaut sera considéré comme un prêt à vue",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Ce compte est utilisé pour enregistrer les remboursements de prêts de l'emprunteur et également pour décaisser les prêts à l'emprunteur,
 This account is capital account which is used to allocate capital for loan disbursal account ,Ce compte est un compte de capital qui est utilisé pour allouer du capital au compte de décaissement du prêt,
@@ -9458,13 +9315,6 @@
 Operation {0} does not belong to the work order {1},L'opération {0} ne fait pas partie de l'ordre de fabrication {1},
 Print UOM after Quantity,Imprimer UdM après la quantité,
 Set default {0} account for perpetual inventory for non stock items,Définir le compte {0} par défaut pour l'inventaire permanent pour les articles hors stock,
-Loan Security {0} added multiple times,Garantie de prêt {0} ajoutée plusieurs fois,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Les titres de prêt avec un ratio LTV différent ne peuvent pas être mis en gage contre un prêt,
-Qty or Amount is mandatory for loan security!,La quantité ou le montant est obligatoire pour la garantie de prêt!,
-Only submittted unpledge requests can be approved,Seules les demandes de non-engagement soumises peuvent être approuvées,
-Interest Amount or Principal Amount is mandatory,Le montant des intérêts ou le capital est obligatoire,
-Disbursed Amount cannot be greater than {0},Le montant décaissé ne peut pas être supérieur à {0},
-Row {0}: Loan Security {1} added multiple times,Ligne {0}: Garantie de prêt {1} ajoutée plusieurs fois,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Ligne n ° {0}: l'élément enfant ne doit pas être un ensemble de produits. Veuillez supprimer l'élément {1} et enregistrer,
 Credit limit reached for customer {0},Limite de crédit atteinte pour le client {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Impossible de créer automatiquement le client en raison du ou des champs obligatoires manquants suivants:,
@@ -9857,7 +9707,7 @@
 No stock transactions can be created or modified before this date.,Aucune transaction ne peux être créée ou modifié avant cette date.
 Stock transactions that are older than the mentioned days cannot be modified.,Les transactions de stock plus ancienne que le nombre de jours ci-dessus ne peuvent être modifiées,
 Role Allowed to Create/Edit Back-dated Transactions,Rôle autorisé à créer et modifier des transactions anti-datée,
-"If mentioned, the system will allow only the users with this Role to create or modify any stock transaction earlier than the latest stock transaction for a specific item and warehouse. If set as blank, it allows all users to create/edit back-dated transactions.","Les utilisateur de ce role pourront creer et modifier des transactions dans le passé. Si vide tout les utilisateurs pourrons le faire"
+"If mentioned, the system will allow only the users with this Role to create or modify any stock transaction earlier than the latest stock transaction for a specific item and warehouse. If set as blank, it allows all users to create/edit back-dated transactions.",Les utilisateur de ce role pourront creer et modifier des transactions dans le passé. Si vide tout les utilisateurs pourrons le faire
 Auto Insert Item Price If Missing,Création du prix de l'article dans les listes de prix si abscent,
 Update Existing Price List Rate,Mise a jour automatique du prix dans les listes de prix,
 Show Barcode Field in Stock Transactions,Afficher le champ Code Barre dans les transactions de stock,
diff --git a/erpnext/translations/gu.csv b/erpnext/translations/gu.csv
index 439b782..f229e3b 100644
--- a/erpnext/translations/gu.csv
+++ b/erpnext/translations/gu.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","જો કંપની એસપીએ, એસપીએ અથવા એસઆરએલ હોય તો લાગુ પડે છે",
 Applicable if the company is a limited liability company,જો કંપની મર્યાદિત જવાબદારીવાળી કંપની હોય તો લાગુ,
 Applicable if the company is an Individual or a Proprietorship,જો કંપની વ્યક્તિગત અથવા માલિકીની કંપની હોય તો તે લાગુ પડે છે,
-Applicant,અરજદાર,
-Applicant Type,અરજદારનો પ્રકાર,
 Application of Funds (Assets),ફંડ (અસ્ક્યામત) અરજી,
 Application period cannot be across two allocation records,એપ્લિકેશન સમયગાળો બે ફાળવણી રેકોર્ડ્સમાં ન હોઈ શકે,
 Application period cannot be outside leave allocation period,એપ્લિકેશન સમયગાળાની બહાર રજા ફાળવણી સમય ન હોઈ શકે,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,ફોલિયો નંબરો ધરાવતા ઉપલબ્ધ શેરધારકોની સૂચિ,
 Loading Payment System,ચુકવણી સિસ્ટમ લોડ કરી રહ્યું છે,
 Loan,લોન,
-Loan Amount cannot exceed Maximum Loan Amount of {0},લોન રકમ મહત્તમ લોન રકમ કરતાં વધી શકે છે {0},
-Loan Application,લોન અરજી,
-Loan Management,લોન મેનેજમેન્ટ,
-Loan Repayment,લોન ચુકવણી,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,ઇન્વoiceઇસ ડિસ્કાઉન્ટિંગને બચાવવા માટે લોન પ્રારંભ તારીખ અને લોનનો સમયગાળો ફરજિયાત છે,
 Loans (Liabilities),લોન્સ (જવાબદારીઓ),
 Loans and Advances (Assets),લોન અને એડવાન્સિસ (અસ્ક્યામત),
@@ -1611,7 +1605,6 @@
 Monday,સોમવારે,
 Monthly,માસિક,
 Monthly Distribution,માસિક વિતરણ,
-Monthly Repayment Amount cannot be greater than Loan Amount,માસિક ચુકવણી રકમ લોન રકમ કરતાં વધારે ન હોઈ શકે,
 More,વધુ,
 More Information,વધુ મહિતી,
 More than one selection for {0} not allowed,{0} માટે એક કરતા વધુ પસંદગીની મંજૂરી નથી,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},{0} {1} પે,
 Payable,ચૂકવવાપાત્ર,
 Payable Account,ચૂકવવાપાત્ર એકાઉન્ટ,
-Payable Amount,ચૂકવવાપાત્ર રકમ,
 Payment,ચુકવણી,
 Payment Cancelled. Please check your GoCardless Account for more details,ચૂકવણી રદ કરી વધુ વિગતો માટે કૃપા કરીને તમારા GoCardless એકાઉન્ટને તપાસો,
 Payment Confirmation,ચુકવણી પુષ્ટિકરણ,
-Payment Date,ચુકવણીની તારીખ,
 Payment Days,ચુકવણી દિવસ,
 Payment Document,ચુકવણી દસ્તાવેજ,
 Payment Due Date,ચુકવણી કારણે તારીખ,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,પ્રથમ ખરીદી રસીદ દાખલ કરો,
 Please enter Receipt Document,રસીદ દસ્તાવેજ દાખલ કરો,
 Please enter Reference date,સંદર્ભ તારીખ દાખલ કરો,
-Please enter Repayment Periods,ચુકવણી કાળ દાખલ કરો,
 Please enter Reqd by Date,તારીખ દ્વારા Reqd દાખલ કરો,
 Please enter Woocommerce Server URL,Woocommerce સર્વર URL દાખલ કરો,
 Please enter Write Off Account,એકાઉન્ટ માંડવાળ દાખલ કરો,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,પિતૃ ખર્ચ કેન્દ્રને દાખલ કરો,
 Please enter quantity for Item {0},વસ્તુ માટે જથ્થો દાખલ કરો {0},
 Please enter relieving date.,તારીખ રાહત દાખલ કરો.,
-Please enter repayment Amount,ચુકવણી રકમ દાખલ કરો,
 Please enter valid Financial Year Start and End Dates,માન્ય નાણાકીય વર્ષ શરૂઆત અને અંતિમ તારીખ દાખલ કરો,
 Please enter valid email address,કૃપા કરીને માન્ય ઇમેઇલ સરનામું દાખલ,
 Please enter {0} first,પ્રથમ {0} દાખલ કરો,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,પ્રાઇસીંગ નિયમો વધુ જથ્થો પર આધારિત ફિલ્ટર કરવામાં આવે છે.,
 Primary Address Details,પ્રાથમિક સરનામું વિગતો,
 Primary Contact Details,પ્રાથમિક સંપર્ક વિગતો,
-Principal Amount,મુખ્ય રકમ,
 Print Format,પ્રિન્ટ ફોર્મેટ,
 Print IRS 1099 Forms,આઈઆરએસ 1099 ફોર્મ છાપો,
 Print Report Card,રિપોર્ટ કાર્ડ છાપો,
@@ -2550,7 +2538,6 @@
 Sample Collection,નમૂનાનો સંગ્રહ,
 Sample quantity {0} cannot be more than received quantity {1},નમૂના જથ્થો {0} પ્રાપ્ત જથ્થા કરતા વધુ હોઈ શકતી નથી {1},
 Sanctioned,મંજૂર,
-Sanctioned Amount,મંજુર રકમ,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,મંજુર રકમ રો દાવો રકમ કરતાં વધારે ન હોઈ શકે {0}.,
 Sand,રેતી,
 Saturday,શનિવારે,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} પાસે પહેલેથી જ પિતૃ કાર્યવાહી છે {1}.,
 API,API,
 Annual,વાર્ષિક,
-Approved,મંજૂર,
 Change,બદલો,
 Contact Email,સંપર્ક ઇમેઇલ,
 Export Type,નિકાસ પ્રકાર,
@@ -3571,7 +3557,6 @@
 Account Value,ખાતાનું મૂલ્ય,
 Account is mandatory to get payment entries,ચુકવણી પ્રવેશો મેળવવા માટે એકાઉન્ટ ફરજિયાત છે,
 Account is not set for the dashboard chart {0},ડેશબોર્ડ ચાર્ટ Account 0 for માટે એકાઉન્ટ સેટ નથી,
-Account {0} does not belong to company {1},એકાઉન્ટ {0} કંપની ને અનુલક્ષતું નથી {1},
 Account {0} does not exists in the dashboard chart {1},એકાઉન્ટ {0 the ડેશબોર્ડ ચાર્ટ exists 1} માં અસ્તિત્વમાં નથી,
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,એકાઉન્ટ: <b>{0</b> એ મૂડીનું કાર્ય પ્રગતિમાં છે અને જર્નલ એન્ટ્રી દ્વારા અપડેટ કરી શકાતું નથી,
 Account: {0} is not permitted under Payment Entry,એકાઉન્ટ: ment 0 ની ચુકવણી એન્ટ્રી હેઠળ મંજૂરી નથી,
@@ -3582,7 +3567,6 @@
 Activity,પ્રવૃત્તિ,
 Add / Manage Email Accounts.,ઇમેઇલ એકાઉન્ટ્સ મેનેજ / ઉમેરો.,
 Add Child,બાળ ઉમેરો,
-Add Loan Security,લોન સુરક્ષા ઉમેરો,
 Add Multiple,મલ્ટીપલ ઉમેરો,
 Add Participants,સહભાગીઓ ઉમેરો,
 Add to Featured Item,ફીચર્ડ આઇટમમાં ઉમેરો,
@@ -3593,15 +3577,12 @@
 Address Line 1,સરનામાં રેખા 1,
 Addresses,સરનામાંઓ,
 Admission End Date should be greater than Admission Start Date.,પ્રવેશ સમાપ્તિ તારીખ પ્રવેશ પ્રારંભ તારીખ કરતા મોટી હોવી જોઈએ.,
-Against Loan,લોનની સામે,
-Against Loan:,લોન સામે:,
 All,બધા,
 All bank transactions have been created,તમામ બેંક વ્યવહાર બનાવવામાં આવ્યા છે,
 All the depreciations has been booked,તમામ અવમૂલ્યન બુક કરાયા છે,
 Allocation Expired!,ફાળવણી સમાપ્ત!,
 Allow Resetting Service Level Agreement from Support Settings.,સપોર્ટ સેટિંગ્સથી સેવા સ્તરના કરારને ફરીથી સેટ કરવાની મંજૂરી આપો.,
 Amount of {0} is required for Loan closure,લોન બંધ કરવા માટે {0} ની રકમ આવશ્યક છે,
-Amount paid cannot be zero,ચૂકવેલ રકમ શૂન્ય હોઈ શકતી નથી,
 Applied Coupon Code,લાગુ કુપન કોડ,
 Apply Coupon Code,કૂપન કોડ લાગુ કરો,
 Appointment Booking,નિમણૂક બુકિંગ,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,ડ્રાઇવર સરનામું ખૂટે છે તેથી આગમન સમયની ગણતરી કરી શકાતી નથી.,
 Cannot Optimize Route as Driver Address is Missing.,ડ્રાઇવર સરનામું ખૂટે હોવાથી રૂટને Opપ્ટિમાઇઝ કરી શકાતો નથી.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,કાર્ય {0 complete પૂર્ણ કરી શકાતું નથી કારણ કે તેના આશ્રિત કાર્ય {1} કમ્પ્પ્લેટ / રદ નથી.,
-Cannot create loan until application is approved,એપ્લિકેશન મંજૂર થાય ત્યાં સુધી લોન બનાવી શકાતી નથી,
 Cannot find a matching Item. Please select some other value for {0}.,બંધબેસતા વસ્તુ શોધી શકાતો નથી. માટે {0} કેટલીક અન્ય કિંમત પસંદ કરો.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","પંક્તિ I 1} tem 2} કરતા વધારે આઇટમ {0 for માટે ઓવરબિલ આપી શકાતી નથી. ઓવર-બિલિંગને મંજૂરી આપવા માટે, કૃપા કરીને એકાઉન્ટ્સ સેટિંગ્સમાં ભથ્થું સેટ કરો",
 "Capacity Planning Error, planned start time can not be same as end time","ક્ષમતા આયોજન ભૂલ, આયોજિત પ્રારંભ સમય સમાપ્ત સમય જેટલો હોઈ શકે નહીં",
@@ -3812,20 +3792,9 @@
 Less Than Amount,રકમ કરતા ઓછી,
 Liabilities,જવાબદારીઓ,
 Loading...,લોડ કરી રહ્યું છે ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,સૂચિત સિક્યોરિટીઝ અનુસાર લોનની રકમ loan 0 maximum ની મહત્તમ લોનની રકમ કરતાં વધી ગઈ છે,
 Loan Applications from customers and employees.,ગ્રાહકો અને કર્મચારીઓ પાસેથી લોન એપ્લિકેશન.,
-Loan Disbursement,લોન વિતરણ,
 Loan Processes,લોન પ્રક્રિયાઓ,
-Loan Security,લોન સુરક્ષા,
-Loan Security Pledge,લોન સુરક્ષા પ્રતિજ્ .ા,
-Loan Security Pledge Created : {0},લોન સુરક્ષા પ્રતિજ્ Creા બનાવેલ: {0},
-Loan Security Price,લોન સુરક્ષા કિંમત,
-Loan Security Price overlapping with {0},લોન સુરક્ષા કિંમત {0 an સાથે ઓવરલેપિંગ,
-Loan Security Unpledge,લોન સુરક્ષા અનપ્લેજ,
-Loan Security Value,લોન સુરક્ષા મૂલ્ય,
 Loan Type for interest and penalty rates,વ્યાજ અને દંડ દરો માટે લોનનો પ્રકાર,
-Loan amount cannot be greater than {0},લોનની રકમ {0 than કરતા વધારે ન હોઈ શકે,
-Loan is mandatory,લોન ફરજિયાત છે,
 Loans,લોન,
 Loans provided to customers and employees.,ગ્રાહકો અને કર્મચારીઓને આપવામાં આવતી લોન.,
 Location,સ્થાન,
@@ -3894,7 +3863,6 @@
 Pay,પે,
 Payment Document Type,ચુકવણી દસ્તાવેજ પ્રકાર,
 Payment Name,ચુકવણી નામ,
-Penalty Amount,પેનલ્ટી રકમ,
 Pending,બાકી,
 Performance,પ્રદર્શન,
 Period based On,પીરિયડ ચાલુ,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,કૃપા કરીને આ આઇટમને સંપાદિત કરવા માટે બજારના વપરાશકર્તા તરીકે લ Userગિન કરો.,
 Please login as a Marketplace User to report this item.,કૃપા કરીને આ આઇટમની જાણ કરવા માટે બજારના વપરાશકર્તા તરીકે લ Userગિન કરો.,
 Please select <b>Template Type</b> to download template,કૃપા કરીને નમૂના ડાઉનલોડ કરવા માટે <b>Templateાંચો પ્રકાર</b> પસંદ કરો,
-Please select Applicant Type first,કૃપા કરીને પહેલા અરજદાર પ્રકાર પસંદ કરો,
 Please select Customer first,કૃપા કરીને પહેલા ગ્રાહક પસંદ કરો,
 Please select Item Code first,કૃપા કરીને પહેલા આઇટમ કોડ પસંદ કરો,
-Please select Loan Type for company {0},કૃપા કરી કંપની Lo 0} માટે લોનનો પ્રકાર પસંદ કરો,
 Please select a Delivery Note,કૃપા કરીને ડિલિવરી નોટ પસંદ કરો,
 Please select a Sales Person for item: {0},કૃપા કરીને આઇટમ માટે વેચાણ વ્યક્તિ પસંદ કરો: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',કૃપા કરીને બીજી ચુકવણી પદ્ધતિ પસંદ કરો. ગેરુનો ચલણ વ્યવહારો ટેકો આપતાં નથી &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},કૃપા કરીને કંપની for 0} માટે ડિફ defaultલ્ટ બેંક એકાઉન્ટ સેટ કરો.,
 Please specify,કૃપયા ચોક્કસ ઉલ્લેખ કરો,
 Please specify a {0},કૃપા કરી {0 specify નો ઉલ્લેખ કરો,lead
-Pledge Status,પ્રતિજ્ Statusાની સ્થિતિ,
-Pledge Time,પ્રતિજ્ Timeા સમય,
 Printing,પ્રિન્ટિંગ,
 Priority,પ્રાધાન્યતા,
 Priority has been changed to {0}.,પ્રાધાન્યતાને બદલીને {0} કરી દેવામાં આવી છે.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,XML ફાઇલો પર પ્રક્રિયા કરી રહ્યું છે,
 Profitability,નફાકારકતા,
 Project,પ્રોજેક્ટ,
-Proposed Pledges are mandatory for secured Loans,સુરક્ષિત લોન માટે સૂચિત વચનો ફરજિયાત છે,
 Provide the academic year and set the starting and ending date.,શૈક્ષણિક વર્ષ પ્રદાન કરો અને પ્રારંભિક અને અંતિમ તારીખ સેટ કરો.,
 Public token is missing for this bank,આ બેંક માટે સાર્વજનિક ટોકન ખૂટે છે,
 Publish,પ્રકાશિત કરો,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,ખરીદીની રસીદમાં એવી કોઈ આઇટમ હોતી નથી જેના માટે ફરીથી જાળવવાનો નમૂના સક્ષમ છે.,
 Purchase Return,ખરીદી પરત,
 Qty of Finished Goods Item,સમાપ્ત માલની આઇટમની માત્રા,
-Qty or Amount is mandatroy for loan security,લોન સિક્યુરિટી માટે ક્વોટી અથવા એમાઉન્ટ મેન્ડેટ્રોય છે,
 Quality Inspection required for Item {0} to submit,સબમિટ કરવા માટે આઇટમ {0} માટે ગુણવત્તા નિરીક્ષણ આવશ્યક છે,
 Quantity to Manufacture,ઉત્પાદનની માત્રા,
 Quantity to Manufacture can not be zero for the operation {0},Manufacture 0} કામગીરી માટે ઉત્પાદનની માત્રા શૂન્ય હોઈ શકતી નથી,
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,રાહત આપવાની તારીખ જોડાવાની તારીખથી મોટી અથવા તેના જેટલી હોવી જોઈએ,
 Rename,નામ બદલો,
 Rename Not Allowed,નામ બદલી મંજૂરી નથી,
-Repayment Method is mandatory for term loans,ટર્મ લોન માટે ચુકવણીની પદ્ધતિ ફરજિયાત છે,
-Repayment Start Date is mandatory for term loans,ટર્મ લોન માટે ચુકવણીની શરૂઆત તારીખ ફરજિયાત છે,
 Report Item,રિપોર્ટ આઇટમ,
 Report this Item,આ આઇટમની જાણ કરો,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,સબકોન્ટ્રેક્ટ માટે રિઝર્વેટેડ ક્વોટી: પેટા કોન્ટ્રેક્ટ વસ્તુઓ બનાવવા માટે કાચા માલનો જથ્થો.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},પંક્તિ ({0}): {1 પહેલેથી જ {2 ounted માં ડિસ્કાઉન્ટ છે,
 Rows Added in {0},પંક્તિઓ {0 in માં ઉમેરી,
 Rows Removed in {0},પંક્તિઓ {0 in માં દૂર કરી,
-Sanctioned Amount limit crossed for {0} {1},મંજૂરી રકમની મર્યાદા {0} {1} માટે ઓળંગી ગઈ,
-Sanctioned Loan Amount already exists for {0} against company {1},કંપની {1} સામે Lo 0 for માટે મંજૂર લોનની રકમ પહેલાથી અસ્તિત્વમાં છે,
 Save,સેવ કરો,
 Save Item,આઇટમ સાચવો,
 Saved Items,સાચવેલ વસ્તુઓ,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,વપરાશકર્તા {0} અક્ષમ છે,
 Users and Permissions,વપરાશકર્તાઓ અને પરવાનગીઓ,
 Vacancies cannot be lower than the current openings,ખાલી જગ્યાઓ વર્તમાન ઉદઘાટન કરતા ઓછી હોઈ શકતી નથી,
-Valid From Time must be lesser than Valid Upto Time.,માન્યથી ભાવ સમય સુધી માન્ય કરતા ઓછા હોવા જોઈએ.,
 Valuation Rate required for Item {0} at row {1},પંક્તિ {1} પર આઇટમ {0} માટે મૂલ્ય દર જરૂરી છે,
 Values Out Of Sync,સમન્વયનના મૂલ્યો,
 Vehicle Type is required if Mode of Transport is Road,જો મોડનો ટ્રાન્સપોર્ટ માર્ગ હોય તો વાહનનો પ્રકાર આવશ્યક છે,
@@ -4211,7 +4168,6 @@
 Add to Cart,સૂચી માં સામેલ કરો,
 Days Since Last Order,છેલ્લા ઓર્ડર પછીના દિવસો,
 In Stock,ઉપલબ્ધ છે,
-Loan Amount is mandatory,લોનની રકમ ફરજિયાત છે,
 Mode Of Payment,ચૂકવણીની પદ્ધતિ,
 No students Found,કોઈ વિદ્યાર્થી મળી નથી,
 Not in Stock,સ્ટોક નથી,
@@ -4240,7 +4196,6 @@
 Group by,ગ્રુપ દ્વારા,
 In stock,ઉપલબ્ધ છે,
 Item name,વસ્તુ નામ,
-Loan amount is mandatory,લોનની રકમ ફરજિયાત છે,
 Minimum Qty,ન્યૂનતમ જથ્થો,
 More details,વધુ વિગતો,
 Nature of Supplies,પુરવઠા પ્રકૃતિ,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,કુલ પૂર્ણ સંખ્યા,
 Qty to Manufacture,ઉત્પાદન Qty,
 Repay From Salary can be selected only for term loans,પગારમાંથી ચૂકવણીની રકમ ફક્ત ટર્મ લોન માટે જ પસંદ કરી શકાય છે,
-No valid Loan Security Price found for {0},Valid 0 for માટે કોઈ માન્ય લોન સુરક્ષા કિંમત મળી નથી,
-Loan Account and Payment Account cannot be same,લોન એકાઉન્ટ અને ચુકવણી એકાઉન્ટ સમાન હોઇ શકે નહીં,
-Loan Security Pledge can only be created for secured loans,સુરક્ષિત લોન માટે જ લોન સિક્યુરિટી પ્લેજ બનાવી શકાય છે,
 Social Media Campaigns,સોશિયલ મીડિયા અભિયાનો,
 From Date can not be greater than To Date,તારીખથી તારીખ કરતાં વધુ ન હોઈ શકે,
 Please set a Customer linked to the Patient,કૃપા કરીને પેશન્ટ સાથે જોડાયેલ ગ્રાહક સેટ કરો,
@@ -6437,7 +6389,6 @@
 HR User,એચઆર વપરાશકર્તા,
 Appointment Letter,નિમણૂક પત્ર,
 Job Applicant,જોબ અરજદાર,
-Applicant Name,અરજદારનું નામ,
 Appointment Date,નિમણૂક તારીખ,
 Appointment Letter Template,નિમણૂક પત્ર Templateાંચો,
 Body,શરીર,
@@ -7059,99 +7010,12 @@
 Sync in Progress,પ્રગતિ સમન્વયન,
 Hub Seller Name,હબ વિક્રેતા નામ,
 Custom Data,કસ્ટમ ડેટા,
-Member,સભ્ય,
-Partially Disbursed,આંશિક વિતરિત,
-Loan Closure Requested,લોન બંધ કરવાની વિનંતી,
 Repay From Salary,પગારની ચુકવણી,
-Loan Details,લોન વિગતો,
-Loan Type,લોન પ્રકાર,
-Loan Amount,લોન રકમ,
-Is Secured Loan,સુરક્ષિત લોન છે,
-Rate of Interest (%) / Year,વ્યાજ (%) / વર્ષ દર,
-Disbursement Date,વહેંચણી તારીખ,
-Disbursed Amount,વિતરિત રકમ,
-Is Term Loan,ટર્મ લોન છે,
-Repayment Method,ચુકવણી પદ્ધતિ,
-Repay Fixed Amount per Period,ચુકવણી સમય દીઠ નિશ્ચિત રકમ,
-Repay Over Number of Periods,ચુકવણી બોલ કાળ સંખ્યા,
-Repayment Period in Months,મહિના ચુકવણી સમય,
-Monthly Repayment Amount,માસિક ચુકવણી રકમ,
-Repayment Start Date,ચુકવણી પ્રારંભ તારીખ,
-Loan Security Details,લોન સુરક્ષા વિગતો,
-Maximum Loan Value,મહત્તમ લોન મૂલ્ય,
-Account Info,એકાઉન્ટ માહિતી,
-Loan Account,લોન એકાઉન્ટ,
-Interest Income Account,વ્યાજની આવક એકાઉન્ટ,
-Penalty Income Account,પેનલ્ટી આવક ખાતું,
-Repayment Schedule,ચુકવણી શેડ્યૂલ,
-Total Payable Amount,કુલ ચૂકવવાપાત્ર રકમ,
-Total Principal Paid,કુલ આચાર્ય ચૂકવેલ,
-Total Interest Payable,ચૂકવવાપાત્ર કુલ વ્યાજ,
-Total Amount Paid,ચુકવેલ કુલ રકમ,
-Loan Manager,લોન મેનેજર,
-Loan Info,લોન માહિતી,
-Rate of Interest,વ્યાજ દર,
-Proposed Pledges,સૂચિત વચનો,
-Maximum Loan Amount,મહત્તમ લોન રકમ,
-Repayment Info,ચુકવણી માહિતી,
-Total Payable Interest,કુલ ચૂકવવાપાત્ર વ્યાજ,
-Against Loan ,લોનની સામે,
-Loan Interest Accrual,લોન ઇન્ટરેસ્ટ એક્યુઅલ,
-Amounts,રકમ,
-Pending Principal Amount,બાકી રહેલ મુખ્ય રકમ,
-Payable Principal Amount,ચૂકવવાપાત્ર પ્રિન્સિપાલ રકમ,
-Paid Principal Amount,ચૂકવેલ આચાર્ય રકમ,
-Paid Interest Amount,ચૂકવેલ વ્યાજની રકમ,
-Process Loan Interest Accrual,પ્રોસેસ લોન ઇન્ટરેસ્ટ એક્યુઅલ,
-Repayment Schedule Name,ચુકવણી સૂચિ નામ,
 Regular Payment,નિયમિત ચુકવણી,
 Loan Closure,લોન બંધ,
-Payment Details,ચુકવણી વિગતો,
-Interest Payable,વ્યાજ ચૂકવવાપાત્ર,
-Amount Paid,રકમ ચૂકવવામાં,
-Principal Amount Paid,આચાર્ય રકમ ચૂકવેલ,
-Repayment Details,ચુકવણીની વિગતો,
-Loan Repayment Detail,લોન ચુકવણીની વિગત,
-Loan Security Name,લોન સુરક્ષા નામ,
-Unit Of Measure,માપ નો એકમ,
-Loan Security Code,લોન સુરક્ષા કોડ,
-Loan Security Type,લોન સુરક્ષા પ્રકાર,
-Haircut %,હેરકટ%,
-Loan  Details,લોન વિગતો,
-Unpledged,બિનહરીફ,
-Pledged,પ્રતિજ્ .ા લીધી,
-Partially Pledged,આંશિક પ્રતિજ્ .ા,
-Securities,સિક્યોરિટીઝ,
-Total Security Value,કુલ સુરક્ષા મૂલ્ય,
-Loan Security Shortfall,લોન સુરક્ષાની કમી,
-Loan ,લોન,
-Shortfall Time,શોર્ટફોલ સમય,
-America/New_York,અમેરિકા / ન્યુ યોર્ક,
-Shortfall Amount,ખોટ રકમ,
-Security Value ,સુરક્ષા મૂલ્ય,
-Process Loan Security Shortfall,પ્રક્રિયા લોન સુરક્ષાની ઉણપ,
-Loan To Value Ratio,લોન ટુ વેલ્યુ રેશિયો,
-Unpledge Time,અનપ્લેજ સમય,
-Loan Name,લોન નામ,
 Rate of Interest (%) Yearly,વ્યાજ દર (%) વાર્ષિક,
-Penalty Interest Rate (%) Per Day,દંડ વ્યાજ દર (%) દીઠ,
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,વિલંબિત ચુકવણીના કિસ્સામાં દૈનિક ધોરણે બાકી વ્યાજની રકમ પર પેનલ્ટી વ્યાજ દર વસૂલવામાં આવે છે,
-Grace Period in Days,દિવસોમાં ગ્રેસ પીરિયડ,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,નિયત તારીખથી દિવસોની સંખ્યા કે જે લોન ચુકવણીમાં વિલંબના કિસ્સામાં પેનલ્ટી વસૂલશે નહીં,
-Pledge,પ્રતિજ્ .ા,
-Post Haircut Amount,વાળ કાપવાની રકમ,
-Process Type,પ્રક્રિયા પ્રકાર,
-Update Time,સુધારો સમય,
-Proposed Pledge,પ્રસ્તાવિત પ્રતિજ્ .ા,
-Total Payment,કુલ ચુકવણી,
-Balance Loan Amount,બેલેન્સ લોન રકમ,
-Is Accrued,સંચિત થાય છે,
 Salary Slip Loan,પગાર કાપલી લોન,
 Loan Repayment Entry,લોન ચુકવણીની એન્ટ્રી,
-Sanctioned Loan Amount,મંજૂરી લોન રકમ,
-Sanctioned Amount Limit,માન્ય રકમ મર્યાદા,
-Unpledge,અણધાર્યો,
-Haircut,હેરકટ,
 MAT-MSH-.YYYY.-,એમએટી-એમએસએચ-વાય.વાય.વાય.-,
 Generate Schedule,સૂચિ બનાવો,
 Schedules,ફ્લાઈટ શેડ્યુલ,
@@ -7885,7 +7749,6 @@
 Update Series,સુધારા સિરીઝ,
 Change the starting / current sequence number of an existing series.,હાલની શ્રેણી શરૂ / વર્તમાન ક્રમ નંબર બદલો.,
 Prefix,પૂર્વગ,
-Current Value,વર્તમાન કિંમત,
 This is the number of the last created transaction with this prefix,આ ઉપસર્ગ સાથે છેલ્લા બનાવવામાં વ્યવહાર સંખ્યા છે,
 Update Series Number,સુધારા સિરીઝ સંખ્યા,
 Quotation Lost Reason,અવતરણ લોસ્ટ કારણ,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,મુદ્દાવાર પુનઃક્રમાંકિત કરો સ્તર ભલામણ,
 Lead Details,લીડ વિગતો,
 Lead Owner Efficiency,અગ્ર માલિક કાર્યક્ષમતા,
-Loan Repayment and Closure,લોન ચુકવણી અને બંધ,
-Loan Security Status,લોન સુરક્ષા સ્થિતિ,
 Lost Opportunity,ખોવાયેલી તક,
 Maintenance Schedules,જાળવણી શેડ્યુલ,
 Material Requests for which Supplier Quotations are not created,"પુરવઠોકર્તા સુવાકયો બનાવવામાં આવે છે, જેના માટે સામગ્રી અરજીઓ",
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},લક્ષ્યાંકિત ગણતરીઓ: {0},
 Payment Account is mandatory,ચુકવણી ખાતું ફરજિયાત છે,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","જો ચકાસાયેલ છે, તો કોઈપણ રકમની ઘોષણા અથવા પુરાવા રજૂઆત કર્યા વિના આવકવેરાની ગણતરી કરતા પહેલાં સંપૂર્ણ રકમ કરપાત્ર આવકમાંથી બાદ કરવામાં આવશે.",
-Disbursement Details,વિતરણ વિગતો,
 Material Request Warehouse,સામગ્રી વિનંતી વેરહાઉસ,
 Select warehouse for material requests,સામગ્રી વિનંતીઓ માટે વેરહાઉસ પસંદ કરો,
 Transfer Materials For Warehouse {0},વેરહાઉસ Material 0 For માટે સામગ્રી સ્થાનાંતરિત કરો,
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,પગારમાંથી દાવેદારી રકમ પરત કરો,
 Deduction from salary,પગારમાંથી કપાત,
 Expired Leaves,સમાપ્ત પાંદડા,
-Reference No,સંદર્ભ ક્રમાંક,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,હેરકટ ટકાવારી એ લોન સિક્યુરિટીના માર્કેટ વેલ્યુ અને તે લોન સિક્યુરિટીને મળેલ મૂલ્ય વચ્ચેની ટકાવારીનો તફાવત છે જ્યારે તે લોન માટે કોલેટરલ તરીકે ઉપયોગ થાય છે.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,"લોન ટુ વેલ્યુ ગુણોત્તર, ગીરવે મૂકાયેલ સલામતીના મૂલ્ય માટે લોનની રકમના ગુણોત્તરને વ્યક્ત કરે છે. જો આ કોઈપણ લોન માટેના નિર્ધારિત મૂલ્યથી નીચે આવે તો લોન સલામતીની ખામી સર્જાશે",
 If this is not checked the loan by default will be considered as a Demand Loan,જો આને તપાસવામાં નહીં આવે તો ડિફોલ્ટ રૂપે લોનને ડિમાન્ડ લોન માનવામાં આવશે,
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,આ એકાઉન્ટનો ઉપયોગ orણ લેનારા પાસેથી લોન ચુકવણી બુક કરવા અને લેનારાને લોન વહેંચવા માટે થાય છે.,
 This account is capital account which is used to allocate capital for loan disbursal account ,આ એકાઉન્ટ કેપિટલ એકાઉન્ટ છે જેનો ઉપયોગ લોન વિતરણ ખાતા માટે મૂડી ફાળવવા માટે થાય છે,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},ઓપરેશન {0 the વર્ક ઓર્ડર સાથે સંબંધિત નથી {1},
 Print UOM after Quantity,જથ્થા પછી યુઓએમ છાપો,
 Set default {0} account for perpetual inventory for non stock items,બિન સ્ટોક આઇટમ્સ માટે કાયમી ઇન્વેન્ટરી માટે ડિફ defaultલ્ટ {0} એકાઉન્ટ સેટ કરો,
-Loan Security {0} added multiple times,લોન સુરક્ષા {0} ઘણી વખત ઉમેર્યું,
-Loan Securities with different LTV ratio cannot be pledged against one loan,જુદા જુદા એલટીવી રેશિયોવાળી લોન સિક્યોરિટીઝ એક લોન સામે ગિરવી રાખી શકાતી નથી,
-Qty or Amount is mandatory for loan security!,લોન સુરક્ષા માટે ક્યુટી અથવા રકમ ફરજિયાત છે!,
-Only submittted unpledge requests can be approved,ફક્ત સબમિટ કરેલી અનપ્લેજ વિનંતીઓને જ મંજૂરી આપી શકાય છે,
-Interest Amount or Principal Amount is mandatory,વ્યાજની રકમ અથવા મુખ્ય રકમ ફરજિયાત છે,
-Disbursed Amount cannot be greater than {0},વિતરિત રકમ {0 than કરતા વધારે હોઈ શકતી નથી,
-Row {0}: Loan Security {1} added multiple times,પંક્તિ {0}: લોન સુરક્ષા {1 multiple ઘણી વખત ઉમેરી,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,પંક્તિ # {0}: બાળ વસ્તુ એ પ્રોડક્ટ બંડલ હોવી જોઈએ નહીં. કૃપા કરીને આઇટમ remove 1 remove અને સેવને દૂર કરો,
 Credit limit reached for customer {0},ગ્રાહક માટે ક્રેડિટ મર્યાદા reached 0 reached પર પહોંચી,
 Could not auto create Customer due to the following missing mandatory field(s):,નીચેના ગુમ થયેલ ફરજિયાત ક્ષેત્ર (ઓ) ને કારણે ગ્રાહક સ્વત create બનાવી શક્યાં નથી:,
diff --git a/erpnext/translations/he.csv b/erpnext/translations/he.csv
index 1abdc58..44edfca 100644
--- a/erpnext/translations/he.csv
+++ b/erpnext/translations/he.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","ישים אם החברה היא SpA, SApA או SRL",
 Applicable if the company is a limited liability company,ישים אם החברה הינה חברה בערבון מוגבל,
 Applicable if the company is an Individual or a Proprietorship,ישים אם החברה היא יחיד או בעלות,
-Applicant,מְבַקֵשׁ,
-Applicant Type,סוג המועמד,
 Application of Funds (Assets),יישום של קרנות (נכסים),
 Application period cannot be across two allocation records,תקופת היישום לא יכולה להיות על פני שני רשומות הקצאה,
 Application period cannot be outside leave allocation period,תקופת יישום לא יכולה להיות תקופה הקצאת חופשה מחוץ,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,רשימת בעלי המניות הזמינים עם מספרי פוליו,
 Loading Payment System,טוען מערכת תשלום,
 Loan,לְהַלווֹת,
-Loan Amount cannot exceed Maximum Loan Amount of {0},סכום ההלוואה לא יכול לחרוג מסכום ההלוואה המרבי של {0},
-Loan Application,בקשת הלוואה,
-Loan Management,ניהול הלוואות,
-Loan Repayment,פירעון הלוואה,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,מועד התחלת ההלוואה ותקופת ההלוואה חובה לשמור את היוון החשבונית,
 Loans (Liabilities),הלוואות (התחייבויות),
 Loans and Advances (Assets),הלוואות ומקדמות (נכסים),
@@ -1611,7 +1605,6 @@
 Monday,יום שני,
 Monthly,חודשי,
 Monthly Distribution,בחתך חודשי,
-Monthly Repayment Amount cannot be greater than Loan Amount,סכום ההחזר החודשי אינו יכול להיות גדול מסכום ההלוואה,
 More,יותר,
 More Information,מידע נוסף,
 More than one selection for {0} not allowed,יותר ממבחר אחד עבור {0} אסור,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},שלם {0} {1},
 Payable,משתלם,
 Payable Account,חשבון לתשלום,
-Payable Amount,סכום לתשלום,
 Payment,תשלום,
 Payment Cancelled. Please check your GoCardless Account for more details,התשלום בוטל. אנא בדוק את חשבון GoCardless שלך לקבלת פרטים נוספים,
 Payment Confirmation,אישור תשלום,
-Payment Date,תאריך תשלום,
 Payment Days,ימי תשלום,
 Payment Document,מסמך תשלום,
 Payment Due Date,מועד תשלום,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,אנא ראשון להיכנס קבלת רכישה,
 Please enter Receipt Document,נא להזין את מסמך הקבלה,
 Please enter Reference date,נא להזין את תאריך הפניה,
-Please enter Repayment Periods,אנא הזן תקופות החזר,
 Please enter Reqd by Date,אנא הזן Reqd לפי תאריך,
 Please enter Woocommerce Server URL,אנא הזן את כתובת האתר של שרת Woocommerce,
 Please enter Write Off Account,נא להזין לכתוב את החשבון,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,נא להזין מרכז עלות הורה,
 Please enter quantity for Item {0},נא להזין את הכמות לפריט {0},
 Please enter relieving date.,נא להזין את הקלת מועד.,
-Please enter repayment Amount,אנא הזן את סכום ההחזר,
 Please enter valid Financial Year Start and End Dates,נא להזין פיננסית בתוקף השנה תאריכי ההתחלה וסיום,
 Please enter valid email address,אנא הזן כתובת דוא&quot;ל חוקית,
 Please enter {0} first,נא להזין את {0} הראשון,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,כללי תמחור מסוננים נוסף המבוססים על כמות.,
 Primary Address Details,פרטי כתובת ראשית,
 Primary Contact Details,פרטי קשר עיקריים,
-Principal Amount,סכום עיקרי,
 Print Format,פורמט הדפסה,
 Print IRS 1099 Forms,הדפס טפסים של מס הכנסה 1099,
 Print Report Card,הדפסת כרטיס דוח,
@@ -2550,7 +2538,6 @@
 Sample Collection,אוסף לדוגמא,
 Sample quantity {0} cannot be more than received quantity {1},כמות הדוגמה {0} לא יכולה להיות יותר מהכמות שהתקבלה {1},
 Sanctioned,סנקציה,
-Sanctioned Amount,סכום גושפנקא,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,סכום גושפנקא לא יכול להיות גדול מסכום תביעה בשורה {0}.,
 Sand,חוֹל,
 Saturday,יום שבת,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} כבר יש נוהל הורים {1}.,
 API,ממשק API,
 Annual,שנתי,
-Approved,אושר,
 Change,שינוי,
 Contact Email,"דוא""ל ליצירת קשר",
 Export Type,סוג ייצוא,
@@ -3571,7 +3557,6 @@
 Account Value,ערך חשבון,
 Account is mandatory to get payment entries,חובה לקבל חשבונות תשלום,
 Account is not set for the dashboard chart {0},החשבון לא הוגדר עבור תרשים לוח המחוונים {0},
-Account {0} does not belong to company {1},חשבון {0} אינו שייך לחברת {1},
 Account {0} does not exists in the dashboard chart {1},חשבון {0} אינו קיים בתרשים של לוח המחוונים {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,חשבון: <b>{0}</b> הוא הון בעבודה ולא ניתן לעדכן אותו על ידי כניסה ליומן,
 Account: {0} is not permitted under Payment Entry,חשבון: {0} אינו מורשה בכניסה לתשלום,
@@ -3582,7 +3567,6 @@
 Activity,פעילות,
 Add / Manage Email Accounts.,"הוספה / ניהול חשבונות דוא""ל.",
 Add Child,הוסף לילדים,
-Add Loan Security,הוסף אבטחת הלוואות,
 Add Multiple,הוסף מרובה,
 Add Participants,להוסיף משתתפים,
 Add to Featured Item,הוסף לפריט מוצג,
@@ -3593,15 +3577,12 @@
 Address Line 1,שורת כתובת 1,
 Addresses,כתובות,
 Admission End Date should be greater than Admission Start Date.,תאריך הסיום של הקבלה צריך להיות גדול ממועד התחלת הקבלה.,
-Against Loan,נגד הלוואה,
-Against Loan:,נגד הלוואה:,
 All,כל,
 All bank transactions have been created,כל העסקאות הבנקאיות נוצרו,
 All the depreciations has been booked,כל הפחתים הוזמנו,
 Allocation Expired!,ההקצאה פגה!,
 Allow Resetting Service Level Agreement from Support Settings.,אפשר איפוס של הסכם רמת שירות מהגדרות התמיכה.,
 Amount of {0} is required for Loan closure,סכום של {0} נדרש לסגירת הלוואה,
-Amount paid cannot be zero,הסכום ששולם לא יכול להיות אפס,
 Applied Coupon Code,קוד קופון מיושם,
 Apply Coupon Code,החל קוד קופון,
 Appointment Booking,הזמנת פגישה,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,לא ניתן לחשב את זמן ההגעה מכיוון שכתובת הנהג חסרה.,
 Cannot Optimize Route as Driver Address is Missing.,לא ניתן לייעל את המסלול מכיוון שכתובת הנהג חסרה.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,לא ניתן להשלים את המשימה {0} מכיוון שהמשימה התלויה שלה {1} לא הושלמה / בוטלה.,
-Cannot create loan until application is approved,לא ניתן ליצור הלוואה עד לאישור הבקשה,
 Cannot find a matching Item. Please select some other value for {0}.,לא ניתן למצוא את הפריט מתאים. אנא בחר ערך אחר עבור {0}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","לא ניתן לחייב יתר על פריט {0} בשורה {1} ביותר מ- {2}. כדי לאפשר חיוב יתר, הגדר קצבה בהגדרות חשבונות",
 "Capacity Planning Error, planned start time can not be same as end time","שגיאת תכנון קיבולת, זמן התחלה מתוכנן לא יכול להיות זהה לזמן סיום",
@@ -3812,20 +3792,9 @@
 Less Than Amount,פחות מכמות,
 Liabilities,התחייבויות,
 Loading...,Loading ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,סכום ההלוואה עולה על סכום ההלוואה המקסימלי של {0} בהתאם לניירות ערך המוצעים,
 Loan Applications from customers and employees.,בקשות להלוואות מלקוחות ועובדים.,
-Loan Disbursement,הוצאות הלוואות,
 Loan Processes,תהליכי הלוואה,
-Loan Security,אבטחת הלוואות,
-Loan Security Pledge,משכון ביטחון הלוואות,
-Loan Security Pledge Created : {0},משכון אבטחת הלוואות נוצר: {0},
-Loan Security Price,מחיר ביטחון הלוואה,
-Loan Security Price overlapping with {0},מחיר ביטחון הלוואה חופף עם {0},
-Loan Security Unpledge,Unpledge אבטחת הלוואות,
-Loan Security Value,ערך אבטחת הלוואה,
 Loan Type for interest and penalty rates,סוג הלוואה לשיעור ריבית וקנס,
-Loan amount cannot be greater than {0},סכום ההלוואה לא יכול להיות גדול מ- {0},
-Loan is mandatory,הלוואה הינה חובה,
 Loans,הלוואות,
 Loans provided to customers and employees.,הלוואות הניתנות ללקוחות ולעובדים.,
 Location,מיקום,
@@ -3894,7 +3863,6 @@
 Pay,שלם,
 Payment Document Type,סוג מסמך תשלום,
 Payment Name,שם התשלום,
-Penalty Amount,סכום קנס,
 Pending,ממתין ל,
 Performance,ביצועים,
 Period based On,תקופה המבוססת על,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,אנא התחבר כמשתמש Marketplace לעריכת פריט זה.,
 Please login as a Marketplace User to report this item.,אנא התחבר כמשתמש Marketplace כדי לדווח על פריט זה.,
 Please select <b>Template Type</b> to download template,אנא בחר <b>סוג</b> תבנית להורדת תבנית,
-Please select Applicant Type first,אנא בחר תחילה סוג המועמד,
 Please select Customer first,אנא בחר לקוח תחילה,
 Please select Item Code first,אנא בחר קוד קוד פריט,
-Please select Loan Type for company {0},בחר סוג הלוואה לחברה {0},
 Please select a Delivery Note,אנא בחר תעודת משלוח,
 Please select a Sales Person for item: {0},בחר איש מכירות לפריט: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',אנא בחר אמצעי תשלום אחר. פס אינו תומך בעסקאות במטבע &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},הגדר חשבון בנק ברירת מחדל לחברה {0},
 Please specify,אנא ציין,
 Please specify a {0},אנא ציין {0},lead
-Pledge Status,סטטוס משכון,
-Pledge Time,זמן הבטחה,
 Printing,הדפסה,
 Priority,עדיפות,
 Priority has been changed to {0}.,העדיפות שונתה ל- {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,עיבוד קבצי XML,
 Profitability,רווחיות,
 Project,פרויקט,
-Proposed Pledges are mandatory for secured Loans,ההתחייבויות המוצעות הינן חובה להלוואות מובטחות,
 Provide the academic year and set the starting and ending date.,ספק את שנת הלימודים וקבע את תאריך ההתחלה והסיום.,
 Public token is missing for this bank,אסימון ציבורי חסר לבנק זה,
 Publish,לְפַרְסֵם,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,בקבלת הרכישה אין שום פריט שעבורו מופעל שמור לדוגמא.,
 Purchase Return,חזור רכישה,
 Qty of Finished Goods Item,כמות פריטי המוצרים המוגמרים,
-Qty or Amount is mandatroy for loan security,כמות או סכום הם מנדטרוי להבטחת הלוואות,
 Quality Inspection required for Item {0} to submit,נדרשת בדיקת איכות לצורך הגשת הפריט {0},
 Quantity to Manufacture,כמות לייצור,
 Quantity to Manufacture can not be zero for the operation {0},הכמות לייצור לא יכולה להיות אפס עבור הפעולה {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,תאריך הקלה חייב להיות גדול או שווה לתאריך ההצטרפות,
 Rename,שינוי שם,
 Rename Not Allowed,שינוי שם אסור,
-Repayment Method is mandatory for term loans,שיטת ההחזר הינה חובה עבור הלוואות לתקופה,
-Repayment Start Date is mandatory for term loans,מועד התחלת ההחזר הוא חובה עבור הלוואות לתקופה,
 Report Item,פריט דוח,
 Report this Item,דווח על פריט זה,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,כמות שמורה לקבלנות משנה: כמות חומרי גלם לייצור פריטים בקבלנות משנה.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},שורה ({0}): {1} כבר מוזל ב- {2},
 Rows Added in {0},שורות נוספו ב- {0},
 Rows Removed in {0},שורות הוסרו ב- {0},
-Sanctioned Amount limit crossed for {0} {1},מגבלת הסכום הסנקציה עברה עבור {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},סכום הלוואה בעיצום כבר קיים עבור {0} נגד החברה {1},
 Save,שמור,
 Save Item,שמור פריט,
 Saved Items,פריטים שמורים,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,משתמש {0} אינו זמין,
 Users and Permissions,משתמשים והרשאות,
 Vacancies cannot be lower than the current openings,המשרות הפנויות לא יכולות להיות נמוכות מהפתחים הנוכחיים,
-Valid From Time must be lesser than Valid Upto Time.,תקף מהזמן חייב להיות פחות מהזמן תקף.,
 Valuation Rate required for Item {0} at row {1},דרוש שיעור הערכה לפריט {0} בשורה {1},
 Values Out Of Sync,ערכים שאינם מסונכרנים,
 Vehicle Type is required if Mode of Transport is Road,סוג רכב נדרש אם אמצעי התחבורה הוא דרך,
@@ -4211,7 +4168,6 @@
 Add to Cart,הוסף לסל,
 Days Since Last Order,ימים מאז ההזמנה האחרונה,
 In Stock,במלאי,
-Loan Amount is mandatory,סכום ההלוואה הוא חובה,
 Mode Of Payment,מצב של תשלום,
 No students Found,לא נמצאו סטודנטים,
 Not in Stock,לא במלאי,
@@ -4240,7 +4196,6 @@
 Group by,קבוצה על ידי,
 In stock,במלאי,
 Item name,שם פריט,
-Loan amount is mandatory,סכום ההלוואה הוא חובה,
 Minimum Qty,כמות מינימלית,
 More details,לפרטים נוספים,
 Nature of Supplies,אופי האספקה,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,סה&quot;כ כמות שהושלמה,
 Qty to Manufacture,כמות לייצור,
 Repay From Salary can be selected only for term loans,ניתן לבחור בהחזר משכר רק עבור הלוואות לתקופה,
-No valid Loan Security Price found for {0},לא נמצא מחיר אבטחה תקף להלוואות עבור {0},
-Loan Account and Payment Account cannot be same,חשבון ההלוואה וחשבון התשלום אינם יכולים להיות זהים,
-Loan Security Pledge can only be created for secured loans,ניתן ליצור משכון להבטחת הלוואות רק עבור הלוואות מאובטחות,
 Social Media Campaigns,קמפיינים למדיה חברתית,
 From Date can not be greater than To Date,מהתאריך לא יכול להיות גדול מ- To Date,
 Please set a Customer linked to the Patient,אנא הגדר לקוח המקושר לחולה,
@@ -6437,7 +6389,6 @@
 HR User,משתמש HR,
 Appointment Letter,מכתב מינוי,
 Job Applicant,עבודת מבקש,
-Applicant Name,שם מבקש,
 Appointment Date,תאריך מינוי,
 Appointment Letter Template,תבנית מכתב לפגישה,
 Body,גוּף,
@@ -7059,99 +7010,12 @@
 Sync in Progress,סנכרון בתהליך,
 Hub Seller Name,שם מוכר הרכזות,
 Custom Data,נתונים מותאמים אישית,
-Member,חבר,
-Partially Disbursed,מופץ חלקית,
-Loan Closure Requested,מתבקשת סגירת הלוואה,
 Repay From Salary,החזר משכר,
-Loan Details,פרטי הלוואה,
-Loan Type,סוג הלוואה,
-Loan Amount,סכום הלוואה,
-Is Secured Loan,הלוואה מאובטחת,
-Rate of Interest (%) / Year,שיעור ריבית (%) לשנה,
-Disbursement Date,תאריך פרסום,
-Disbursed Amount,סכום משולם,
-Is Term Loan,האם הלוואה לתקופה,
-Repayment Method,שיטת החזר,
-Repay Fixed Amount per Period,החזר סכום קבוע לתקופה,
-Repay Over Number of Periods,החזר על מספר התקופות,
-Repayment Period in Months,תקופת הפירעון בחודשים,
-Monthly Repayment Amount,סכום החזר חודשי,
-Repayment Start Date,תאריך התחלה להחזר,
-Loan Security Details,פרטי אבטחת הלוואה,
-Maximum Loan Value,ערך הלוואה מרבי,
-Account Info,פרטי חשבון,
-Loan Account,חשבון הלוואה,
-Interest Income Account,חשבון הכנסות ריבית,
-Penalty Income Account,חשבון הכנסה קנס,
-Repayment Schedule,תזמון התשלום,
-Total Payable Amount,סכום כולל לתשלום,
-Total Principal Paid,סך כל התשלום העיקרי,
-Total Interest Payable,סך הריבית שיש לשלם,
-Total Amount Paid,הסכום הכולל ששולם,
-Loan Manager,מנהל הלוואות,
-Loan Info,מידע על הלוואה,
-Rate of Interest,שיעור העניין,
-Proposed Pledges,הצעות משכון,
-Maximum Loan Amount,סכום הלוואה מקסימלי,
-Repayment Info,מידע על החזר,
-Total Payable Interest,סך הריבית לתשלום,
-Against Loan ,נגד הלוואה,
-Loan Interest Accrual,צבירת ריבית הלוואות,
-Amounts,סכומים,
-Pending Principal Amount,סכום עיקרי ממתין,
-Payable Principal Amount,סכום עיקרי לתשלום,
-Paid Principal Amount,סכום עיקרי בתשלום,
-Paid Interest Amount,סכום ריבית בתשלום,
-Process Loan Interest Accrual,צבירת ריבית בהלוואות,
-Repayment Schedule Name,שם לוח הזמנים להחזר,
 Regular Payment,תשלום רגיל,
 Loan Closure,סגירת הלוואה,
-Payment Details,פרטי תשלום,
-Interest Payable,יש לשלם ריבית,
-Amount Paid,הסכום ששולם,
-Principal Amount Paid,הסכום העיקרי ששולם,
-Repayment Details,פרטי החזר,
-Loan Repayment Detail,פרטי החזר הלוואה,
-Loan Security Name,שם ביטחון הלוואה,
-Unit Of Measure,יחידת מידה,
-Loan Security Code,קוד אבטחת הלוואות,
-Loan Security Type,סוג אבטחת הלוואה,
-Haircut %,תספורת%,
-Loan  Details,פרטי הלוואה,
-Unpledged,ללא פסים,
-Pledged,התחייב,
-Partially Pledged,משועבד חלקית,
-Securities,ניירות ערך,
-Total Security Value,ערך אבטחה כולל,
-Loan Security Shortfall,מחסור בביטחון הלוואות,
-Loan ,לְהַלווֹת,
-Shortfall Time,זמן מחסור,
-America/New_York,אמריקה / ניו_יורק,
-Shortfall Amount,סכום חסר,
-Security Value ,ערך אבטחה,
-Process Loan Security Shortfall,מחסור בביטחון הלוואות בתהליך,
-Loan To Value Ratio,יחס הלוואה לערך,
-Unpledge Time,זמן Unpledge,
-Loan Name,שם הלוואה,
 Rate of Interest (%) Yearly,שיעור ריבית (%) שנתי,
-Penalty Interest Rate (%) Per Day,ריבית קנס (%) ליום,
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,ריבית קנס מוטלת על סכום הריבית בהמתנה על בסיס יומי במקרה של פירעון מאוחר,
-Grace Period in Days,תקופת החסד בימים,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,מספר הימים ממועד פירעון ועד אשר לא ייגבה מהם קנס במקרה של עיכוב בהחזר ההלוואה,
-Pledge,מַשׁכּוֹן,
-Post Haircut Amount,סכום תספורת פוסט,
-Process Type,סוג התהליך,
-Update Time,עדכון זמן,
-Proposed Pledge,התחייבות מוצעת,
-Total Payment,תשלום כולל,
-Balance Loan Amount,סכום הלוואה יתרה,
-Is Accrued,נצבר,
 Salary Slip Loan,הלוואת תלוש משכורת,
 Loan Repayment Entry,הכנסת החזר הלוואות,
-Sanctioned Loan Amount,סכום הלוואה בסנקציה,
-Sanctioned Amount Limit,מגבלת סכום בסנקציה,
-Unpledge,Unpledge,
-Haircut,תִספּוֹרֶת,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,צור לוח זמנים,
 Schedules,לוחות זמנים,
@@ -7885,7 +7749,6 @@
 Update Series,סדרת עדכון,
 Change the starting / current sequence number of an existing series.,לשנות את מתחיל / מספר הרצף הנוכחי של סדרות קיימות.,
 Prefix,קידומת,
-Current Value,ערך נוכחי,
 This is the number of the last created transaction with this prefix,זהו המספר של העסקה יצרה האחרונה עם קידומת זו,
 Update Series Number,עדכון סדרת מספר,
 Quotation Lost Reason,סיבה אבודה ציטוט,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise מומלץ להזמנה חוזרת רמה,
 Lead Details,פרטי לידים,
 Lead Owner Efficiency,יעילות בעלים מובילה,
-Loan Repayment and Closure,החזר וסגירת הלוואות,
-Loan Security Status,מצב אבטחת הלוואה,
 Lost Opportunity,הזדמנות אבודה,
 Maintenance Schedules,לוחות זמנים תחזוקה,
 Material Requests for which Supplier Quotations are not created,בקשות מהותיות שלציטוטי ספק הם לא נוצרו,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},ספירות ממוקדות: {0},
 Payment Account is mandatory,חשבון תשלום הוא חובה,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","אם מסומן, הסכום המלא ינוכה מההכנסה החייבת לפני חישוב מס הכנסה ללא הצהרה או הגשת הוכחה.",
-Disbursement Details,פרטי התשלום,
 Material Request Warehouse,מחסן בקשת חומרים,
 Select warehouse for material requests,בחר מחסן לבקשות חומר,
 Transfer Materials For Warehouse {0},העברת חומרים למחסן {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,החזר סכום שלא נתבע מהמשכורת,
 Deduction from salary,ניכוי משכר,
 Expired Leaves,עלים שפג תוקפם,
-Reference No,מספר סימוכין,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,אחוז תספורת הוא אחוז ההפרש בין שווי השוק של נייר הערך לבין הערך המיוחס לאותה נייר ערך בהיותו משמש כבטוחה להלוואה זו.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,יחס הלוואה לערך מבטא את היחס בין סכום ההלוואה לבין ערך הנייר הערבות שהועבד. מחסור בביטחון הלוואות יופעל אם זה יורד מהערך שצוין עבור הלוואה כלשהי,
 If this is not checked the loan by default will be considered as a Demand Loan,אם זה לא מסומן ההלוואה כברירת מחדל תיחשב כהלוואת דרישה,
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,חשבון זה משמש להזמנת החזרי הלוואות מהלווה וגם להוצאת הלוואות ללווה,
 This account is capital account which is used to allocate capital for loan disbursal account ,חשבון זה הוא חשבון הון המשמש להקצאת הון לחשבון פרסום הלוואות,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},פעולה {0} אינה שייכת להזמנת העבודה {1},
 Print UOM after Quantity,הדפס UOM לאחר כמות,
 Set default {0} account for perpetual inventory for non stock items,הגדר חשבון {0} ברירת מחדל למלאי תמידי עבור פריטים שאינם במלאי,
-Loan Security {0} added multiple times,אבטחת הלוואות {0} נוספה מספר פעמים,
-Loan Securities with different LTV ratio cannot be pledged against one loan,לא ניתן לשעבד ניירות ערך בהלוואות עם יחס LTV שונה כנגד הלוואה אחת,
-Qty or Amount is mandatory for loan security!,כמות או סכום חובה להבטחת הלוואות!,
-Only submittted unpledge requests can be approved,ניתן לאשר רק בקשות שלא הונפקו שלוחה,
-Interest Amount or Principal Amount is mandatory,סכום ריבית או סכום עיקרי הם חובה,
-Disbursed Amount cannot be greater than {0},הסכום המושתל לא יכול להיות גדול מ- {0},
-Row {0}: Loan Security {1} added multiple times,שורה {0}: אבטחת הלוואות {1} נוספה מספר פעמים,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,שורה מספר {0}: פריט ילד לא אמור להיות חבילה של מוצרים. הסר את הפריט {1} ושמור,
 Credit limit reached for customer {0},תקרת אשראי הושגה עבור הלקוח {0},
 Could not auto create Customer due to the following missing mandatory field(s):,לא ניתן היה ליצור אוטומטית את הלקוח בגלל שדות החובה הבאים חסרים:,
diff --git a/erpnext/translations/hi.csv b/erpnext/translations/hi.csv
index e5664a8..eee1a64 100644
--- a/erpnext/translations/hi.csv
+++ b/erpnext/translations/hi.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","लागू अगर कंपनी SpA, SApA या SRL है",
 Applicable if the company is a limited liability company,लागू यदि कंपनी एक सीमित देयता कंपनी है,
 Applicable if the company is an Individual or a Proprietorship,लागू अगर कंपनी एक व्यक्ति या एक प्रोपराइटरशिप है,
-Applicant,आवेदक,
-Applicant Type,आवेदक प्रकार,
 Application of Funds (Assets),फंड के अनुप्रयोग ( संपत्ति),
 Application period cannot be across two allocation records,एप्लिकेशन की अवधि दो आवंटन रिकॉर्डों में नहीं हो सकती,
 Application period cannot be outside leave allocation period,आवेदन की अवधि के बाहर छुट्टी के आवंटन की अवधि नहीं किया जा सकता,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,फोलिओ नंबर वाले उपलब्ध शेयरधारकों की सूची,
 Loading Payment System,भुगतान प्रणाली लोड हो रहा है,
 Loan,ऋण,
-Loan Amount cannot exceed Maximum Loan Amount of {0},ऋण राशि का अधिकतम ऋण राशि से अधिक नहीं हो सकता है {0},
-Loan Application,ऋण का आवेदन,
-Loan Management,ऋण प्रबंधन,
-Loan Repayment,ऋण भुगतान,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,चालान शुरू होने से बचाने के लिए लोन स्टार्ट डेट और लोन की अवधि अनिवार्य है,
 Loans (Liabilities),ऋण (देनदारियों),
 Loans and Advances (Assets),ऋण और अग्रिम ( संपत्ति),
@@ -1611,7 +1605,6 @@
 Monday,सोमवार,
 Monthly,मासिक,
 Monthly Distribution,मासिक वितरण,
-Monthly Repayment Amount cannot be greater than Loan Amount,मासिक भुगतान राशि ऋण राशि से अधिक नहीं हो सकता,
 More,अधिक,
 More Information,अधिक जानकारी,
 More than one selection for {0} not allowed,{0} के लिए एक से अधिक चयन की अनुमति नहीं है,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},वेतन {0} {1},
 Payable,देय,
 Payable Account,देय खाता,
-Payable Amount,भुगतान योग्य राशि,
 Payment,भुगतान,
 Payment Cancelled. Please check your GoCardless Account for more details,भुगतान रद्द किया गया अधिक जानकारी के लिए कृपया अपने GoCardless खाते की जांच करें,
 Payment Confirmation,भुगतान की पुष्टि,
-Payment Date,भुगतान तिथि,
 Payment Days,भुगतान दिन,
 Payment Document,भुगतान दस्तावेज़,
 Payment Due Date,भुगतान की नियत तिथि,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,पहली खरीद रसीद दर्ज करें,
 Please enter Receipt Document,रसीद दस्तावेज़ दर्ज करें,
 Please enter Reference date,संदर्भ तिथि दर्ज करें,
-Please enter Repayment Periods,चुकौती अवधि दर्ज करें,
 Please enter Reqd by Date,कृपया तिथि के अनुसार रेक्ड दर्ज करें,
 Please enter Woocommerce Server URL,कृपया Woocommerce सर्वर URL दर्ज करें,
 Please enter Write Off Account,खाता बंद लिखने दर्ज करें,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,माता - पिता लागत केंद्र दर्ज करें,
 Please enter quantity for Item {0},आइटम के लिए मात्रा दर्ज करें {0},
 Please enter relieving date.,तारीख से राहत दर्ज करें.,
-Please enter repayment Amount,भुगतान राशि दर्ज करें,
 Please enter valid Financial Year Start and End Dates,वैध वित्तीय वर्ष आरंभ और समाप्ति तिथियाँ दर्ज करें,
 Please enter valid email address,कृपया मान्य ईमेल पता दर्ज करें,
 Please enter {0} first,1 {0} दर्ज करें,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,मूल्य निर्धारण नियमों आगे मात्रा के आधार पर छान रहे हैं.,
 Primary Address Details,प्राथमिक पता विवरण,
 Primary Contact Details,प्राथमिक संपर्क विवरण,
-Principal Amount,मुख्य राशि,
 Print Format,प्रारूप प्रिंट,
 Print IRS 1099 Forms,आईआरएस 1099 फॉर्म प्रिंट करें,
 Print Report Card,प्रिंट रिपोर्ट कार्ड,
@@ -2550,7 +2538,6 @@
 Sample Collection,नमूना संग्रह,
 Sample quantity {0} cannot be more than received quantity {1},नमूना मात्रा {0} प्राप्त मात्रा से अधिक नहीं हो सकती {1},
 Sanctioned,स्वीकृत,
-Sanctioned Amount,स्वीकृत राशि,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,स्वीकृत राशि पंक्ति में दावा राशि से अधिक नहीं हो सकता है {0}।,
 Sand,रेत,
 Saturday,शनिवार,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} पहले से ही एक पेरेंट प्रोसीजर {1} है।,
 API,एपीआई,
 Annual,वार्षिक,
-Approved,अनुमोदित,
 Change,परिवर्तन,
 Contact Email,संपर्क ईमेल,
 Export Type,निर्यात प्रकार,
@@ -3571,7 +3557,6 @@
 Account Value,खाता मूल्य,
 Account is mandatory to get payment entries,भुगतान प्रविष्टियां प्राप्त करने के लिए खाता अनिवार्य है,
 Account is not set for the dashboard chart {0},डैशबोर्ड चार्ट {0} के लिए खाता सेट नहीं किया गया है,
-Account {0} does not belong to company {1},खाते {0} कंपनी से संबंधित नहीं है {1},
 Account {0} does not exists in the dashboard chart {1},खाता {0} डैशबोर्ड चार्ट में मौजूद नहीं है {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,खाता: <b>{0}</b> पूंजी कार्य प्रगति पर है और जर्नल एंट्री द्वारा अद्यतन नहीं किया जा सकता है,
 Account: {0} is not permitted under Payment Entry,खाता: {0} को भुगतान प्रविष्टि के तहत अनुमति नहीं है,
@@ -3582,7 +3567,6 @@
 Activity,सक्रियता,
 Add / Manage Email Accounts.,ईमेल खातों का प्रबंधन करें / जोड़ें।,
 Add Child,बाल जोड़ें,
-Add Loan Security,ऋण सुरक्षा जोड़ें,
 Add Multiple,मल्टीपल जोड़ें,
 Add Participants,प्रतिभागियों को जोड़ें,
 Add to Featured Item,फीचर्ड आइटम में जोड़ें,
@@ -3593,15 +3577,12 @@
 Address Line 1,पता पंक्ति 1,
 Addresses,पतों,
 Admission End Date should be greater than Admission Start Date.,प्रवेश प्रारंभ तिथि प्रवेश प्रारंभ तिथि से अधिक होनी चाहिए।,
-Against Loan,लोन के खिलाफ,
-Against Loan:,ऋण के विरुद्ध:,
 All,सब,
 All bank transactions have been created,सभी बैंक लेनदेन बनाए गए हैं,
 All the depreciations has been booked,सभी मूल्यह्रास बुक किए गए हैं,
 Allocation Expired!,आवंटन समाप्त!,
 Allow Resetting Service Level Agreement from Support Settings.,समर्थन सेटिंग्स से सेवा स्तर समझौते को रीसेट करने की अनुमति दें।,
 Amount of {0} is required for Loan closure,ऋण बंद करने के लिए {0} की राशि आवश्यक है,
-Amount paid cannot be zero,भुगतान की गई राशि शून्य नहीं हो सकती,
 Applied Coupon Code,एप्लाइड कूपन कोड,
 Apply Coupon Code,कूपन कोड लागू करें,
 Appointment Booking,नियुक्ति बुकिंग,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,ड्राइवर का पता गुम होने के कारण आगमन समय की गणना नहीं की जा सकती।,
 Cannot Optimize Route as Driver Address is Missing.,ड्राइवर का पता नहीं होने के कारण रूट को ऑप्टिमाइज़ नहीं किया जा सकता है।,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,पूर्ण कार्य {0} को निर्भर नहीं कर सकता क्योंकि उसके आश्रित कार्य {1} को अपूर्ण / रद्द नहीं किया गया है।,
-Cannot create loan until application is approved,आवेदन स्वीकृत होने तक ऋण नहीं बना सकते,
 Cannot find a matching Item. Please select some other value for {0}.,एक मेल आइटम नहीं मिल सकता। के लिए {0} कुछ अन्य मूल्य का चयन करें।,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","पंक्ति {1} से अधिक {2} में आइटम {0} के लिए ओवरबिल नहीं कर सकते। ओवर-बिलिंग की अनुमति देने के लिए, कृपया खाता सेटिंग में भत्ता निर्धारित करें",
 "Capacity Planning Error, planned start time can not be same as end time","क्षमता योजना त्रुटि, नियोजित प्रारंभ समय अंत समय के समान नहीं हो सकता है",
@@ -3812,20 +3792,9 @@
 Less Than Amount,इससे कम राशि,
 Liabilities,देयताएं,
 Loading...,लोड हो रहा है ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,प्रस्तावित प्रतिभूतियों के अनुसार ऋण राशि {0} की अधिकतम ऋण राशि से अधिक है,
 Loan Applications from customers and employees.,ग्राहकों और कर्मचारियों से ऋण आवेदन।,
-Loan Disbursement,ऋण भुगतान,
 Loan Processes,ऋण प्रक्रियाएँ,
-Loan Security,ऋण सुरक्षा,
-Loan Security Pledge,ऋण सुरक्षा प्रतिज्ञा,
-Loan Security Pledge Created : {0},ऋण सुरक्षा प्रतिज्ञा बनाई गई: {0},
-Loan Security Price,ऋण सुरक्षा मूल्य,
-Loan Security Price overlapping with {0},ऋण सुरक्षा मूल्य {0} के साथ अतिव्यापी,
-Loan Security Unpledge,ऋण सुरक्षा अनप्लग,
-Loan Security Value,ऋण सुरक्षा मूल्य,
 Loan Type for interest and penalty rates,ब्याज और जुर्माना दरों के लिए ऋण प्रकार,
-Loan amount cannot be greater than {0},ऋण राशि {0} से अधिक नहीं हो सकती,
-Loan is mandatory,ऋण अनिवार्य है,
 Loans,ऋण,
 Loans provided to customers and employees.,ग्राहकों और कर्मचारियों को प्रदान किया गया ऋण।,
 Location,स्थान,
@@ -3894,7 +3863,6 @@
 Pay,वेतन,
 Payment Document Type,भुगतान दस्तावेज़ प्रकार,
 Payment Name,भुगतान नाम,
-Penalty Amount,जुर्माना राशि,
 Pending,अपूर्ण,
 Performance,प्रदर्शन,
 Period based On,अवधि के आधार पर,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,कृपया इस आइटम को संपादित करने के लिए बाज़ार उपयोगकर्ता के रूप में लॉगिन करें।,
 Please login as a Marketplace User to report this item.,कृपया इस आइटम की रिपोर्ट करने के लिए बाज़ार उपयोगकर्ता के रूप में लॉगिन करें।,
 Please select <b>Template Type</b> to download template,टेम्प्लेट डाउनलोड करने के लिए <b>टेम्प्लेट टाइप चुनें</b>,
-Please select Applicant Type first,कृपया पहले आवेदक प्रकार का चयन करें,
 Please select Customer first,कृपया पहले ग्राहक चुनें,
 Please select Item Code first,कृपया आइटम कोड पहले चुनें,
-Please select Loan Type for company {0},कृपया कंपनी के लिए ऋण प्रकार का चयन करें {0},
 Please select a Delivery Note,कृपया एक वितरण नोट चुनें,
 Please select a Sales Person for item: {0},कृपया आइटम के लिए विक्रय व्यक्ति का चयन करें: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',कृपया कोई अन्य भुगतान विधि चुनें मुद्रा &#39;{0}&#39; में लेनदेन का समर्थन नहीं करता है,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},कृपया कंपनी के लिए एक डिफ़ॉल्ट बैंक खाता सेट करें {0},
 Please specify,कृपया बताएं,
 Please specify a {0},कृपया एक {0} निर्दिष्ट करें,lead
-Pledge Status,प्रतिज्ञा की स्थिति,
-Pledge Time,प्रतिज्ञा का समय,
 Printing,मुद्रण,
 Priority,प्राथमिकता,
 Priority has been changed to {0}.,प्राथमिकता को {0} में बदल दिया गया है।,
@@ -3944,7 +3908,6 @@
 Processing XML Files,XML फ़ाइलें प्रसंस्करण,
 Profitability,लाभप्रदता,
 Project,परियोजना,
-Proposed Pledges are mandatory for secured Loans,सुरक्षित ऋणों के लिए प्रस्तावित प्रतिज्ञाएँ अनिवार्य हैं,
 Provide the academic year and set the starting and ending date.,शैक्षणिक वर्ष प्रदान करें और आरंभ और समाप्ति तिथि निर्धारित करें।,
 Public token is missing for this bank,इस बैंक के लिए सार्वजनिक टोकन गायब है,
 Publish,प्रकाशित करना,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,खरीद रसीद में कोई भी आइटम नहीं है जिसके लिए रिटेन नमूना सक्षम है।,
 Purchase Return,क्रय वापसी,
 Qty of Finished Goods Item,तैयार माल की मात्रा,
-Qty or Amount is mandatroy for loan security,ऋण सुरक्षा के लिए मात्रा या राशि अनिवार्य है,
 Quality Inspection required for Item {0} to submit,प्रस्तुत करने के लिए आइटम {0} के लिए गुणवत्ता निरीक्षण आवश्यक है,
 Quantity to Manufacture,निर्माण के लिए मात्रा,
 Quantity to Manufacture can not be zero for the operation {0},निर्माण की मात्रा ऑपरेशन {0} के लिए शून्य नहीं हो सकती है,
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,"राहत की तारीख, ज्वाइनिंग की तारीख से अधिक या उसके बराबर होनी चाहिए",
 Rename,नाम बदलें,
 Rename Not Allowed,नाम नहीं दिया गया,
-Repayment Method is mandatory for term loans,सावधि ऋण के लिए चुकौती विधि अनिवार्य है,
-Repayment Start Date is mandatory for term loans,सावधि ऋण के लिए चुकौती प्रारंभ तिथि अनिवार्य है,
 Report Item,वस्तु की सूचना,
 Report this Item,इस मद की रिपोर्ट करें,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,सब-कॉन्ट्रैक्ट के लिए आरक्षित मात्रा: कच्चे माल की मात्रा उप-आइटम बनाने के लिए।,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},पंक्ति ({0}): {1} पहले से ही {2} में छूट दी गई है,
 Rows Added in {0},पंक्तियों को {0} में जोड़ा गया,
 Rows Removed in {0},पंजे {0} में निकाले गए,
-Sanctioned Amount limit crossed for {0} {1},स्वीकृत राशि सीमा {0} {1} के लिए पार कर गई,
-Sanctioned Loan Amount already exists for {0} against company {1},स्वीकृत ऋण राशि पहले से ही कंपनी के खिलाफ {0} के लिए मौजूद है {1},
 Save,सहेजें,
 Save Item,आइटम सहेजें,
 Saved Items,बची हुई वस्तुएँ,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,प्रयोक्ता {0} अक्षम है,
 Users and Permissions,उपयोगकर्ता और अनुमतियाँ,
 Vacancies cannot be lower than the current openings,रिक्तियां वर्तमान उद्घाटन की तुलना में कम नहीं हो सकती हैं,
-Valid From Time must be lesser than Valid Upto Time.,वैलिड फ्रॉम टाइम वैलिड तक के समय से कम होना चाहिए।,
 Valuation Rate required for Item {0} at row {1},पंक्ति {1} पर आइटम {0} के लिए आवश्यक मूल्यांकन दर,
 Values Out Of Sync,सिंक से बाहर का मूल्य,
 Vehicle Type is required if Mode of Transport is Road,अगर मोड ऑफ रोड है तो वाहन के प्रकार की आवश्यकता है,
@@ -4211,7 +4168,6 @@
 Add to Cart,कार्ट में जोड़ें,
 Days Since Last Order,अंतिम आदेश के बाद के दिन,
 In Stock,स्टॉक में,
-Loan Amount is mandatory,लोन अमाउंट अनिवार्य है,
 Mode Of Payment,भुगतान की रीति,
 No students Found,कोई छात्र नहीं मिला,
 Not in Stock,स्टॉक में नहीं,
@@ -4240,7 +4196,6 @@
 Group by,समूह द्वारा,
 In stock,स्टॉक में,
 Item name,मद का नाम,
-Loan amount is mandatory,लोन अमाउंट अनिवार्य है,
 Minimum Qty,न्यूनतम मात्रा,
 More details,अधिक जानकारी,
 Nature of Supplies,आपूर्ति की प्रकृति,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,कुल पूर्ण मात्रा,
 Qty to Manufacture,विनिर्माण मात्रा,
 Repay From Salary can be selected only for term loans,चुकौती से वेतन केवल टर्म लोन के लिए चुना जा सकता है,
-No valid Loan Security Price found for {0},{0} के लिए कोई वैध ऋण सुरक्षा मूल्य नहीं मिला,
-Loan Account and Payment Account cannot be same,ऋण खाता और भुगतान खाता समान नहीं हो सकते,
-Loan Security Pledge can only be created for secured loans,ऋण सुरक्षा प्रतिज्ञा केवल सुरक्षित ऋण के लिए बनाई जा सकती है,
 Social Media Campaigns,सोशल मीडिया अभियान,
 From Date can not be greater than To Date,तिथि से दिनांक से बड़ा नहीं हो सकता,
 Please set a Customer linked to the Patient,कृपया रोगी से जुड़ा एक ग्राहक सेट करें,
@@ -6437,7 +6389,6 @@
 HR User,मानव संसाधन उपयोगकर्ता,
 Appointment Letter,नियुक्ति पत्र,
 Job Applicant,नौकरी आवेदक,
-Applicant Name,आवेदक के नाम,
 Appointment Date,मिलने की तारीख,
 Appointment Letter Template,नियुक्ति पत्र टेम्पलेट,
 Body,तन,
@@ -7059,99 +7010,12 @@
 Sync in Progress,प्रगति में सिंक करें,
 Hub Seller Name,हब विक्रेता का नाम,
 Custom Data,कस्टम डेटा,
-Member,सदस्य,
-Partially Disbursed,आंशिक रूप से वितरित,
-Loan Closure Requested,ऋण बंद करने का अनुरोध किया,
 Repay From Salary,वेतन से बदला,
-Loan Details,ऋण विवरण,
-Loan Type,प्रकार के ऋण,
-Loan Amount,उधार की राशि,
-Is Secured Loan,सुरक्षित ऋण है,
-Rate of Interest (%) / Year,ब्याज (%) / वर्ष की दर,
-Disbursement Date,संवितरण की तारीख,
-Disbursed Amount,वितरित राशि,
-Is Term Loan,टर्म लोन है,
-Repayment Method,चुकौती विधि,
-Repay Fixed Amount per Period,चुकाने अवधि के प्रति निश्चित राशि,
-Repay Over Number of Periods,चुकाने से अधिक अवधि की संख्या,
-Repayment Period in Months,महीने में चुकाने की अवधि,
-Monthly Repayment Amount,मासिक भुगतान राशि,
-Repayment Start Date,पुनर्भुगतान प्रारंभ दिनांक,
-Loan Security Details,ऋण सुरक्षा विवरण,
-Maximum Loan Value,अधिकतम ऋण मूल्य,
-Account Info,खाता जानकारी,
-Loan Account,ऋण खाता,
-Interest Income Account,ब्याज आय खाता,
-Penalty Income Account,दंड आय खाता,
-Repayment Schedule,पुनः भुगतान कार्यक्रम,
-Total Payable Amount,कुल देय राशि,
-Total Principal Paid,कुल प्रिंसिपल पेड,
-Total Interest Payable,देय कुल ब्याज,
-Total Amount Paid,भुगतान की गई कुल राशि,
-Loan Manager,ऋण प्रबंधक,
-Loan Info,ऋण जानकारी,
-Rate of Interest,ब्याज की दर,
-Proposed Pledges,प्रस्तावित प्रतिज्ञाएँ,
-Maximum Loan Amount,अधिकतम ऋण राशि,
-Repayment Info,चुकौती जानकारी,
-Total Payable Interest,कुल देय ब्याज,
-Against Loan ,लोन के खिलाफ,
-Loan Interest Accrual,ऋण का ब्याज क्रमिक,
-Amounts,राशियाँ,
-Pending Principal Amount,लंबित मूल राशि,
-Payable Principal Amount,देय मूलधन राशि,
-Paid Principal Amount,पेड प्रिंसिपल अमाउंट,
-Paid Interest Amount,ब्याज राशि का भुगतान किया,
-Process Loan Interest Accrual,प्रक्रिया ऋण ब्याज क्रमिक,
-Repayment Schedule Name,चुकौती अनुसूची नाम,
 Regular Payment,नियमित भुगतान,
 Loan Closure,ऋण बंद करना,
-Payment Details,भुगतान विवरण,
-Interest Payable,देय ब्याज,
-Amount Paid,राशि का भुगतान,
-Principal Amount Paid,प्रिंसिपल अमाउंट पेड,
-Repayment Details,चुकौती के लिए विवरण,
-Loan Repayment Detail,ऋण चुकौती विवरण,
-Loan Security Name,ऋण सुरक्षा नाम,
-Unit Of Measure,माप की इकाई,
-Loan Security Code,ऋण सुरक्षा कोड,
-Loan Security Type,ऋण सुरक्षा प्रकार,
-Haircut %,बाल कटवाने का%,
-Loan  Details,ऋण का विवरण,
-Unpledged,Unpledged,
-Pledged,गिरवी,
-Partially Pledged,आंशिक रूप से प्रतिज्ञा की गई,
-Securities,प्रतिभूति,
-Total Security Value,कुल सुरक्षा मूल्य,
-Loan Security Shortfall,ऋण सुरक्षा की कमी,
-Loan ,ऋण,
-Shortfall Time,कम समय,
-America/New_York,America / New_York,
-Shortfall Amount,शॉर्टफॉल राशि,
-Security Value ,सुरक्षा मूल्य,
-Process Loan Security Shortfall,प्रक्रिया ऋण सुरक्षा की कमी,
-Loan To Value Ratio,मूल्य अनुपात के लिए ऋण,
-Unpledge Time,अनप्लग टाइम,
-Loan Name,ऋण नाम,
 Rate of Interest (%) Yearly,ब्याज दर (%) वार्षिक,
-Penalty Interest Rate (%) Per Day,पेनल्टी ब्याज दर (%) प्रति दिन,
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,विलंबित पुनर्भुगतान के मामले में दैनिक आधार पर लंबित ब्याज राशि पर जुर्माना ब्याज दर लगाया जाता है,
-Grace Period in Days,दिनों में अनुग्रह की अवधि,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,ऋण की अदायगी में देरी के मामले में नियत तारीख तक जुर्माना नहीं लगाया जाएगा,
-Pledge,प्रतिज्ञा,
-Post Haircut Amount,पोस्ट बाल कटवाने की राशि,
-Process Type,प्रक्रिया प्रकार,
-Update Time,समय सुधारें,
-Proposed Pledge,प्रस्तावित प्रतिज्ञा,
-Total Payment,कुल भुगतान,
-Balance Loan Amount,शेष ऋण की राशि,
-Is Accrued,माना जाता है,
 Salary Slip Loan,वेतन स्लिप ऋण,
 Loan Repayment Entry,ऋण चुकौती प्रविष्टि,
-Sanctioned Loan Amount,स्वीकृत ऋण राशि,
-Sanctioned Amount Limit,स्वीकृत राशि सीमा,
-Unpledge,Unpledge,
-Haircut,बाल काटना,
 MAT-MSH-.YYYY.-,मेट-MSH-.YYYY.-,
 Generate Schedule,कार्यक्रम तय करें उत्पन्न,
 Schedules,अनुसूचियों,
@@ -7885,7 +7749,6 @@
 Update Series,अद्यतन श्रृंखला,
 Change the starting / current sequence number of an existing series.,एक मौजूदा श्रृंखला के शुरू / वर्तमान अनुक्रम संख्या बदलें.,
 Prefix,उपसर्ग,
-Current Value,वर्तमान मान,
 This is the number of the last created transaction with this prefix,यह इस उपसर्ग के साथ पिछले बनाई गई लेन - देन की संख्या,
 Update Series Number,अद्यतन सीरीज नंबर,
 Quotation Lost Reason,कोटेशन कारण खोया,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise पुनःक्रमित स्तर की सिफारिश की,
 Lead Details,विवरण लीड,
 Lead Owner Efficiency,लीड स्वामी क्षमता,
-Loan Repayment and Closure,ऋण चुकौती और समापन,
-Loan Security Status,ऋण सुरक्षा स्थिति,
 Lost Opportunity,अवसर खो दिया,
 Maintenance Schedules,रखरखाव अनुसूचियों,
 Material Requests for which Supplier Quotations are not created,"प्रदायक कोटेशन नहीं बनाई गई हैं , जिसके लिए सामग्री अनुरोध",
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},लक्षित संख्या: {0},
 Payment Account is mandatory,भुगतान खाता अनिवार्य है,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","यदि जाँच की जाती है, तो बिना किसी घोषणा या प्रमाण प्रस्तुत के आयकर की गणना करने से पहले कर योग्य आय से पूरी राशि काट ली जाएगी।",
-Disbursement Details,संवितरण विवरण,
 Material Request Warehouse,माल अनुरोध गोदाम,
 Select warehouse for material requests,भौतिक अनुरोधों के लिए वेयरहाउस का चयन करें,
 Transfer Materials For Warehouse {0},गोदाम {0} के लिए स्थानांतरण सामग्री,
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,वेतन से लावारिस राशि को चुकाएं,
 Deduction from salary,वेतन से कटौती,
 Expired Leaves,समय सीमा समाप्त,
-Reference No,संदर्भ संख्या,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,हेयरकट प्रतिशत ऋण सुरक्षा के बाजार मूल्य और उस ऋण सुरक्षा के लिए दिए गए मूल्य के बीच का अंतर होता है जब उस ऋण के लिए संपार्श्विक के रूप में उपयोग किया जाता है।,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,"लोन टू वैल्यू रेशियो, गिरवी रखी गई सिक्योरिटी के मूल्य के लिए लोन राशि के अनुपात को व्यक्त करता है। यदि किसी ऋण के लिए निर्दिष्ट मूल्य से नीचे आता है, तो ऋण सुरक्षा की कमी शुरू हो जाएगी",
 If this is not checked the loan by default will be considered as a Demand Loan,"यदि यह डिफ़ॉल्ट रूप से ऋण की जाँच नहीं है, तो इसे डिमांड लोन माना जाएगा",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,इस खाते का उपयोग उधारकर्ता से ऋण चुकौती की बुकिंग के लिए किया जाता है और उधारकर्ता को ऋण का वितरण भी किया जाता है,
 This account is capital account which is used to allocate capital for loan disbursal account ,यह खाता पूंजी खाता है जिसका उपयोग ऋण वितरण खाते के लिए पूंजी आवंटित करने के लिए किया जाता है,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},ऑपरेशन {0} वर्क ऑर्डर {1} से संबंधित नहीं है,
 Print UOM after Quantity,मात्रा के बाद UOM प्रिंट करें,
 Set default {0} account for perpetual inventory for non stock items,गैर स्टॉक वस्तुओं के लिए सदा सूची के लिए डिफ़ॉल्ट {0} खाता सेट करें,
-Loan Security {0} added multiple times,ऋण सुरक्षा {0} कई बार जोड़ी गई,
-Loan Securities with different LTV ratio cannot be pledged against one loan,अलग-अलग LTV अनुपात वाले ऋण प्रतिभूतियों को एक ऋण के मुकाबले गिरवी नहीं रखा जा सकता है,
-Qty or Amount is mandatory for loan security!,ऋण सुरक्षा के लिए मात्रा या राशि अनिवार्य है!,
-Only submittted unpledge requests can be approved,केवल विनम्र अनपेक्षित अनुरोधों को मंजूरी दी जा सकती है,
-Interest Amount or Principal Amount is mandatory,ब्याज राशि या मूल राशि अनिवार्य है,
-Disbursed Amount cannot be greater than {0},वितरित राशि {0} से अधिक नहीं हो सकती,
-Row {0}: Loan Security {1} added multiple times,पंक्ति {0}: ऋण सुरक्षा {1} कई बार जोड़ी गई,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,रो # {0}: चाइल्ड आइटम को प्रोडक्ट बंडल नहीं होना चाहिए। कृपया आइटम {1} निकालें और सहेजें,
 Credit limit reached for customer {0},ग्राहक के लिए क्रेडिट सीमा {0},
 Could not auto create Customer due to the following missing mandatory field(s):,निम्नलिखित लापता अनिवार्य क्षेत्र के कारण ग्राहक को ऑटो नहीं बना सके:,
diff --git a/erpnext/translations/hr.csv b/erpnext/translations/hr.csv
index fa54317..2da37c5 100644
--- a/erpnext/translations/hr.csv
+++ b/erpnext/translations/hr.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Primjenjivo ako je tvrtka SpA, SApA ili SRL",
 Applicable if the company is a limited liability company,Primjenjivo ako je društvo s ograničenom odgovornošću,
 Applicable if the company is an Individual or a Proprietorship,Primjenjivo ako je tvrtka fizička osoba ili vlasništvo,
-Applicant,podnositelj zahtjeva,
-Applicant Type,Vrsta podnositelja zahtjeva,
 Application of Funds (Assets),Primjena sredstava ( aktiva ),
 Application period cannot be across two allocation records,Razdoblje primjene ne može se nalaziti na dva zapisa o dodjeli,
 Application period cannot be outside leave allocation period,Razdoblje prijava ne može biti izvan dopusta raspodjele,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Popis dostupnih dioničara s folijskim brojevima,
 Loading Payment System,Učitavanje sustava plaćanja,
 Loan,Zajam,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Iznos kredita ne može biti veći od maksimalnog iznosa zajma {0},
-Loan Application,Primjena zajma,
-Loan Management,Upravljanje zajmom,
-Loan Repayment,Otplata kredita,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Datum početka i razdoblje zajma obvezni su za spremanje popusta na fakture,
 Loans (Liabilities),Zajmovi (pasiva),
 Loans and Advances (Assets),Zajmovi i predujmovi (aktiva),
@@ -1611,7 +1605,6 @@
 Monday,Ponedjeljak,
 Monthly,Mjesečno,
 Monthly Distribution,Mjesečna distribucija,
-Monthly Repayment Amount cannot be greater than Loan Amount,Mjesečni iznos otplate ne može biti veća od iznosa kredita,
 More,Više,
 More Information,Više informacija,
 More than one selection for {0} not allowed,Više od jednog izbora za {0} nije dopušteno,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Plaćajte {0} {1},
 Payable,plativ,
 Payable Account,Obveze prema dobavljačima,
-Payable Amount,Iznos koji se plaća,
 Payment,Uplata,
 Payment Cancelled. Please check your GoCardless Account for more details,Plaćanje je otkazano. Više pojedinosti potražite u svojem računu za GoCardless,
 Payment Confirmation,Potvrda uplate,
-Payment Date,Datum plačanja,
 Payment Days,Plaćanja Dana,
 Payment Document,Dokument plaćanja,
 Payment Due Date,Plaćanje Due Date,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,Unesite prvo primku,
 Please enter Receipt Document,Unesite primitka dokumenta,
 Please enter Reference date,Unesite referentni datum,
-Please enter Repayment Periods,Unesite razdoblja otplate,
 Please enter Reqd by Date,Unesite Reqd po datumu,
 Please enter Woocommerce Server URL,Unesite Woocommerce URL poslužitelja,
 Please enter Write Off Account,Unesite otpis račun,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,Unesite roditelj troška,
 Please enter quantity for Item {0},Molimo unesite količinu za točku {0},
 Please enter relieving date.,Unesite olakšavanja datum .,
-Please enter repayment Amount,Unesite iznos otplate,
 Please enter valid Financial Year Start and End Dates,Unesite valjani financijske godine datum početka i kraja,
 Please enter valid email address,Unesite valjanu e-adresu,
 Please enter {0} first,Unesite {0} prvi,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Pravilnik o određivanju cijena dodatno se filtrira na temelju količine.,
 Primary Address Details,Primarni podaci o adresi,
 Primary Contact Details,Primarni podaci za kontakt,
-Principal Amount,iznos glavnice,
 Print Format,Format ispisa,
 Print IRS 1099 Forms,Ispiši obrasce IRS 1099,
 Print Report Card,Ispis izvješća,
@@ -2550,7 +2538,6 @@
 Sample Collection,Prikupljanje uzoraka,
 Sample quantity {0} cannot be more than received quantity {1},Uzorak {0} ne može biti veći od primljene količine {1},
 Sanctioned,kažnjeni,
-Sanctioned Amount,Iznos kažnjeni,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Kažnjeni Iznos ne može biti veći od Zahtjeva Iznos u nizu {0}.,
 Sand,Pijesak,
 Saturday,Subota,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} već ima roditeljski postupak {1}.,
 API,API,
 Annual,godišnji,
-Approved,Odobren,
 Change,Promjena,
 Contact Email,Kontakt email,
 Export Type,Vrsta izvoza,
@@ -3571,7 +3557,6 @@
 Account Value,Vrijednost računa,
 Account is mandatory to get payment entries,Račun je obvezan za unos plaćanja,
 Account is not set for the dashboard chart {0},Račun nije postavljen za grafikon na nadzornoj ploči {0},
-Account {0} does not belong to company {1},Račun {0} ne pripada tvrtki {1},
 Account {0} does not exists in the dashboard chart {1},Račun {0} ne postoji na grafikonu nadzorne ploče {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Račun: <b>{0}</b> je kapital U tijeku je rad i ne može ga ažurirati Entry Journal,
 Account: {0} is not permitted under Payment Entry,Račun: {0} nije dopušten unosom plaćanja,
@@ -3582,7 +3567,6 @@
 Activity,Aktivnost,
 Add / Manage Email Accounts.,Dodaj / uredi email račun.,
 Add Child,Dodaj dijete,
-Add Loan Security,Dodajte sigurnost kredita,
 Add Multiple,Dodaj više stavki,
 Add Participants,Dodaj sudionike,
 Add to Featured Item,Dodajte u istaknuti predmet,
@@ -3593,15 +3577,12 @@
 Address Line 1,Adresa - linija 1,
 Addresses,Adrese,
 Admission End Date should be greater than Admission Start Date.,Datum završetka prijema trebao bi biti veći od datuma početka upisa.,
-Against Loan,Protiv zajma,
-Against Loan:,Protiv zajma:,
 All,svi,
 All bank transactions have been created,Sve su bankovne transakcije stvorene,
 All the depreciations has been booked,Sve su amortizacije knjižene,
 Allocation Expired!,Raspodjela je istekla!,
 Allow Resetting Service Level Agreement from Support Settings.,Dopusti resetiranje sporazuma o razini usluge iz postavki podrške.,
 Amount of {0} is required for Loan closure,Za zatvaranje zajma potreban je iznos {0},
-Amount paid cannot be zero,Plaćeni iznos ne može biti nula,
 Applied Coupon Code,Primijenjeni kod kupona,
 Apply Coupon Code,Primijenite kod kupona,
 Appointment Booking,Rezervacija termina,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,Ne mogu izračunati vrijeme dolaska jer nedostaje adresa vozača.,
 Cannot Optimize Route as Driver Address is Missing.,Ruta se ne može optimizirati jer nedostaje adresa vozača.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Ne mogu dovršiti zadatak {0} jer njegov ovisni zadatak {1} nije dovršen / otkazan.,
-Cannot create loan until application is approved,Zajam nije moguće stvoriti dok aplikacija ne bude odobrena,
 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}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Nije moguće preplatiti za stavku {0} u retku {1} više od {2}. Da biste omogućili prekomjerno naplaćivanje, molimo postavite dodatak u Postavkama računa",
 "Capacity Planning Error, planned start time can not be same as end time","Pogreška planiranja kapaciteta, planirano vrijeme početka ne može biti isto vrijeme završetka",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Manje od iznosa,
 Liabilities,pasiva,
 Loading...,Učitavanje ...,
-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,
 Loan Applications from customers and employees.,Prijave za zajmove od kupaca i zaposlenika.,
-Loan Disbursement,Isplata zajma,
 Loan Processes,Procesi zajma,
-Loan Security,Zajam zajma,
-Loan Security Pledge,Zalog osiguranja zajma,
-Loan Security Pledge Created : {0},Stvoreno jamstvo zajma: {0},
-Loan Security Price,Cijena osiguranja zajma,
-Loan Security Price overlapping with {0},Cijena osiguranja zajma koji se preklapa s {0},
-Loan Security Unpledge,Bezplatno pozajmljivanje kredita,
-Loan Security Value,Vrijednost kredita zajma,
 Loan Type for interest and penalty rates,Vrsta zajma za kamate i zatezne stope,
-Loan amount cannot be greater than {0},Iznos zajma ne može biti veći od {0},
-Loan is mandatory,Zajam je obvezan,
 Loans,krediti,
 Loans provided to customers and employees.,Krediti kupcima i zaposlenicima.,
 Location,Lokacija,
@@ -3894,7 +3863,6 @@
 Pay,Platiti,
 Payment Document Type,Vrsta dokumenta plaćanja,
 Payment Name,Naziv plaćanja,
-Penalty Amount,Iznos kazne,
 Pending,Na čekanju,
 Performance,Izvođenje,
 Period based On,Razdoblje na temelju,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,Prijavite se kao Korisnik Marketplacea da biste uredili ovu stavku.,
 Please login as a Marketplace User to report this item.,Prijavite se kao korisnik Marketplacea kako biste prijavili ovu stavku.,
 Please select <b>Template Type</b> to download template,Odaberite <b>vrstu predloška</b> za preuzimanje predloška,
-Please select Applicant Type first,Prvo odaberite vrstu podnositelja zahtjeva,
 Please select Customer first,Prvo odaberite kupca,
 Please select Item Code first,Prvo odaberite šifru predmeta,
-Please select Loan Type for company {0},Odaberite vrstu kredita za tvrtku {0},
 Please select a Delivery Note,Odaberite bilješku o isporuci,
 Please select a Sales Person for item: {0},Odaberite prodajnu osobu za stavku: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Odaberite drugi način plaćanja. Traka ne podržava transakcije u valuti &quot;{0}&quot;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Postavite zadani bankovni račun za tvrtku {0},
 Please specify,Navedite,
 Please specify a {0},Navedite {0},lead
-Pledge Status,Status zaloga,
-Pledge Time,Vrijeme zaloga,
 Printing,Tiskanje,
 Priority,Prioritet,
 Priority has been changed to {0}.,Prioritet je promijenjen u {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Obrada XML datoteka,
 Profitability,rentabilnost,
 Project,Projekt,
-Proposed Pledges are mandatory for secured Loans,Predložene zaloge su obavezne za osigurane zajmove,
 Provide the academic year and set the starting and ending date.,Navedite akademsku godinu i postavite datum početka i završetka.,
 Public token is missing for this bank,Javni token nedostaje za ovu banku,
 Publish,Objaviti,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Kupnja potvrde nema stavku za koju je omogućen zadržati uzorak.,
 Purchase Return,Kupnja Povratak,
 Qty of Finished Goods Item,Količina proizvoda gotove robe,
-Qty or Amount is mandatroy for loan security,Količina ili iznos je mandatroy za osiguranje kredita,
 Quality Inspection required for Item {0} to submit,Inspekcija kvalitete potrebna je za predavanje predmeta {0},
 Quantity to Manufacture,Količina za proizvodnju,
 Quantity to Manufacture can not be zero for the operation {0},Količina za proizvodnju ne može biti nula za operaciju {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Datum oslobađanja mora biti veći ili jednak datumu pridruživanja,
 Rename,Preimenuj,
 Rename Not Allowed,Preimenovanje nije dopušteno,
-Repayment Method is mandatory for term loans,Način otplate je obvezan za oročene kredite,
-Repayment Start Date is mandatory for term loans,Datum početka otplate je obvezan za oročene kredite,
 Report Item,Stavka izvješća,
 Report this Item,Prijavite ovu stavku,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Količina rezerviranog za podugovor: Količina sirovina za izradu predmeta koji su predmet podugovora.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Red ({0}): {1} već je snižen u {2},
 Rows Added in {0},Redovi dodano u {0},
 Rows Removed in {0},Redovi su uklonjeni za {0},
-Sanctioned Amount limit crossed for {0} {1},Granica sankcioniranog iznosa pređena za {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},Iznos sankcioniranog zajma već postoji za {0} protiv tvrtke {1},
 Save,Spremi,
 Save Item,Spremi stavku,
 Saved Items,Spremljene stavke,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Korisnik {0} je onemogućen,
 Users and Permissions,Korisnici i dozvole,
 Vacancies cannot be lower than the current openings,Slobodna radna mjesta ne mogu biti niža od trenutačnih,
-Valid From Time must be lesser than Valid Upto Time.,Vrijedi od vremena mora biti kraće od Važećeg vremena uputa.,
 Valuation Rate required for Item {0} at row {1},Stopa vrednovanja potrebna za stavku {0} u retku {1},
 Values Out Of Sync,Vrijednosti nisu sinkronizirane,
 Vehicle Type is required if Mode of Transport is Road,Vrsta vozila potrebna je ako je način prijevoza cestovni,
@@ -4211,7 +4168,6 @@
 Add to Cart,Dodaj u košaricu,
 Days Since Last Order,Dana od zadnje narudžbe,
 In Stock,Na zalihi,
-Loan Amount is mandatory,Iznos zajma je obvezan,
 Mode Of Payment,Nacin placanja,
 No students Found,Studenti nisu pronađeni,
 Not in Stock,Ne u skladištu,
@@ -4240,7 +4196,6 @@
 Group by,Grupiranje prema,
 In stock,Na lageru,
 Item name,Naziv proizvoda,
-Loan amount is mandatory,Iznos zajma je obvezan,
 Minimum Qty,Minimalni broj,
 More details,Više pojedinosti,
 Nature of Supplies,Priroda potrošnog materijala,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Ukupno završeno Količina,
 Qty to Manufacture,Količina za proizvodnju,
 Repay From Salary can be selected only for term loans,Otplata plaće može se odabrati samo za oročene zajmove,
-No valid Loan Security Price found for {0},Nije pronađena valjana cijena osiguranja zajma za {0},
-Loan Account and Payment Account cannot be same,Račun zajma i račun za plaćanje ne mogu biti isti,
-Loan Security Pledge can only be created for secured loans,Zalog osiguranja zajma može se stvoriti samo za osigurane zajmove,
 Social Media Campaigns,Kampanje na društvenim mrežama,
 From Date can not be greater than To Date,Od datuma ne može biti veći od datuma,
 Please set a Customer linked to the Patient,Molimo postavite kupca povezanog s pacijentom,
@@ -6437,7 +6389,6 @@
 HR User,HR Korisnik,
 Appointment Letter,Pismo o sastanku,
 Job Applicant,Posao podnositelj,
-Applicant Name,Podnositelj zahtjeva Ime,
 Appointment Date,Datum imenovanja,
 Appointment Letter Template,Predložak pisma o imenovanju,
 Body,Tijelo,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Sinkronizacija u tijeku,
 Hub Seller Name,Naziv prodavača u centru,
 Custom Data,Prilagođeni podaci,
-Member,Član,
-Partially Disbursed,djelomično Isplaćeno,
-Loan Closure Requested,Zatraženo zatvaranje zajma,
 Repay From Salary,Vrati iz plaće,
-Loan Details,zajam Detalji,
-Loan Type,Vrsta kredita,
-Loan Amount,Iznos pozajmice,
-Is Secured Loan,Zajam je osiguran,
-Rate of Interest (%) / Year,Kamatna stopa (%) / godina,
-Disbursement Date,datum isplate,
-Disbursed Amount,Izplaćeni iznos,
-Is Term Loan,Je li Term zajam,
-Repayment Method,Način otplate,
-Repay Fixed Amount per Period,Vratiti fiksni iznos po razdoblju,
-Repay Over Number of Periods,Vrati Preko broj razdoblja,
-Repayment Period in Months,Rok otplate u mjesecima,
-Monthly Repayment Amount,Mjesečni iznos otplate,
-Repayment Start Date,Početni datum otplate,
-Loan Security Details,Pojedinosti o zajmu,
-Maximum Loan Value,Maksimalna vrijednost zajma,
-Account Info,Informacije računa,
-Loan Account,Račun zajma,
-Interest Income Account,Prihod od kamata računa,
-Penalty Income Account,Račun primanja penala,
-Repayment Schedule,Otplata Raspored,
-Total Payable Amount,Ukupno obveze prema dobavljačima iznos,
-Total Principal Paid,Ukupno plaćeno glavnice,
-Total Interest Payable,Ukupna kamata,
-Total Amount Paid,Plaćeni ukupni iznos,
-Loan Manager,Voditelj kredita,
-Loan Info,Informacije o zajmu,
-Rate of Interest,Kamatna stopa,
-Proposed Pledges,Predložena obećanja,
-Maximum Loan Amount,Maksimalni iznos kredita,
-Repayment Info,Informacije otplate,
-Total Payable Interest,Ukupno obveze prema dobavljačima kamata,
-Against Loan ,Protiv Zajma,
-Loan Interest Accrual,Prihodi od kamata na zajmove,
-Amounts,iznosi,
-Pending Principal Amount,Na čekanju glavni iznos,
-Payable Principal Amount,Plativi glavni iznos,
-Paid Principal Amount,Plaćeni iznos glavnice,
-Paid Interest Amount,Iznos plaćene kamate,
-Process Loan Interest Accrual,Obračunska kamata na zajam,
-Repayment Schedule Name,Naziv rasporeda otplate,
 Regular Payment,Redovna uplata,
 Loan Closure,Zatvaranje zajma,
-Payment Details,Pojedinosti o plaćanju,
-Interest Payable,Kamata se plaća,
-Amount Paid,Plaćeni iznos,
-Principal Amount Paid,Iznos glavnice,
-Repayment Details,Detalji otplate,
-Loan Repayment Detail,Detalji otplate zajma,
-Loan Security Name,Naziv osiguranja zajma,
-Unit Of Measure,Jedinica mjere,
-Loan Security Code,Kôd za sigurnost zajma,
-Loan Security Type,Vrsta osiguranja zajma,
-Haircut %,Šišanje %,
-Loan  Details,Pojedinosti o zajmu,
-Unpledged,Unpledged,
-Pledged,obećao,
-Partially Pledged,Djelomično založno,
-Securities,hartije od vrijednosti,
-Total Security Value,Ukupna vrijednost sigurnosti,
-Loan Security Shortfall,Nedostatak sigurnosti zajma,
-Loan ,Zajam,
-Shortfall Time,Vrijeme pada,
-America/New_York,Amerika / New_York,
-Shortfall Amount,Iznos manjka,
-Security Value ,Vrijednost sigurnosti,
-Process Loan Security Shortfall,Nedostatak sigurnosti zajma u procesu,
-Loan To Value Ratio,Omjer zajma prema vrijednosti,
-Unpledge Time,Vrijeme odvrtanja,
-Loan Name,Naziv kredita,
 Rate of Interest (%) Yearly,Kamatna stopa (%) godišnje,
-Penalty Interest Rate (%) Per Day,Kazna kamata (%) po danu,
-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,
-Grace Period in Days,Grace razdoblje u danima,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,Broj dana od datuma dospijeća do kojeg se neće naplatiti kazna u slučaju kašnjenja u otplati kredita,
-Pledge,Zalog,
-Post Haircut Amount,Iznos pošiljanja frizure,
-Process Type,Vrsta procesa,
-Update Time,Vrijeme ažuriranja,
-Proposed Pledge,Predloženo založno pravo,
-Total Payment,ukupno plaćanja,
-Balance Loan Amount,Stanje Iznos kredita,
-Is Accrued,Pripisuje se,
 Salary Slip Loan,Zajmoprimac za plaću,
 Loan Repayment Entry,Unos otplate zajma,
-Sanctioned Loan Amount,Iznos sankcije,
-Sanctioned Amount Limit,Odobreni iznos iznosa,
-Unpledge,Unpledge,
-Haircut,Šišanje,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Generiranje Raspored,
 Schedules,Raspored,
@@ -7885,7 +7749,6 @@
 Update Series,Update serija,
 Change the starting / current sequence number of an existing series.,Promjena polaznu / tekući redni broj postojeće serije.,
 Prefix,Prefiks,
-Current Value,Trenutna vrijednost,
 This is the number of the last created transaction with this prefix,To je broj zadnjeg stvorio transakcije s ovim prefiksom,
 Update Series Number,Update serije Broj,
 Quotation Lost Reason,Razlog nerealizirane ponude,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise - preporučena razina ponovne narudžbe,
 Lead Details,Detalji potenciajalnog kupca,
 Lead Owner Efficiency,Učinkovitost voditelja,
-Loan Repayment and Closure,Otplata i zatvaranje zajma,
-Loan Security Status,Status osiguranja zajma,
 Lost Opportunity,Izgubljena prilika,
 Maintenance Schedules,Održavanja rasporeda,
 Material Requests for which Supplier Quotations are not created,Zahtjevi za robom za koje dobavljačeve ponude nisu stvorene,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Broj ciljanih brojeva: {0},
 Payment Account is mandatory,Račun za plaćanje je obavezan,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Ako se označi, puni iznos odbit će se od oporezivog dohotka prije izračuna poreza na dohodak bez bilo kakve izjave ili podnošenja dokaza.",
-Disbursement Details,Detalji isplate,
 Material Request Warehouse,Skladište zahtjeva za materijal,
 Select warehouse for material requests,Odaberite skladište za zahtjeve za materijalom,
 Transfer Materials For Warehouse {0},Prijenos materijala za skladište {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Otplatite neiskorišteni iznos iz plaće,
 Deduction from salary,Odbitak od plaće,
 Expired Leaves,Isteklo lišće,
-Reference No,Referenca br,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,Postotak šišanja postotna je razlika između tržišne vrijednosti zajma i vrijednosti pripisane tom zajmu kada se koristi kao zalog za taj zajam.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,Odnos zajma i vrijednosti izražava omjer iznosa zajma i vrijednosti založenog vrijednosnog papira. Propust osiguranja zajma pokrenut će se ako padne ispod navedene vrijednosti za bilo koji zajam,
 If this is not checked the loan by default will be considered as a Demand Loan,"Ako se ovo ne potvrdi, zajam će se prema zadanim postavkama smatrati zajmom na zahtjev",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Ovaj se račun koristi za rezerviranje otplate zajma od zajmoprimca i za isplatu zajmova zajmoprimcu,
 This account is capital account which is used to allocate capital for loan disbursal account ,Ovaj račun je račun kapitala koji se koristi za raspodjelu kapitala za račun izdvajanja zajma,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Operacija {0} ne pripada radnom nalogu {1},
 Print UOM after Quantity,Ispis UOM-a nakon količine,
 Set default {0} account for perpetual inventory for non stock items,Postavite zadani {0} račun za vječni inventar za stavke koje nisu na zalihi,
-Loan Security {0} added multiple times,Sigurnost zajma {0} dodana je više puta,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Vrijednosni papiri s različitim omjerom LTV ne mogu se založiti za jedan zajam,
-Qty or Amount is mandatory for loan security!,Količina ili iznos obvezni su za osiguranje kredita!,
-Only submittted unpledge requests can be approved,Mogu se odobriti samo podneseni zahtjevi za neupitništvo,
-Interest Amount or Principal Amount is mandatory,Iznos kamate ili iznos glavnice je obvezan,
-Disbursed Amount cannot be greater than {0},Isplaćeni iznos ne može biti veći od {0},
-Row {0}: Loan Security {1} added multiple times,Redak {0}: Sigurnost zajma {1} dodan je više puta,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Redak {0}: Podređena stavka ne smije biti paket proizvoda. Uklonite stavku {1} i spremite,
 Credit limit reached for customer {0},Dosegnuto je kreditno ograničenje za kupca {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Nije moguće automatski stvoriti kupca zbog sljedećih obaveznih polja koja nedostaju:,
diff --git a/erpnext/translations/hu.csv b/erpnext/translations/hu.csv
index c56f5b0..e277856 100644
--- a/erpnext/translations/hu.csv
+++ b/erpnext/translations/hu.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Alkalmazható, ha a társaság SpA, SApA vagy SRL",
 Applicable if the company is a limited liability company,"Alkalmazandó, ha a társaság korlátolt felelősségű társaság",
 Applicable if the company is an Individual or a Proprietorship,"Alkalmazandó, ha a társaság magánszemély vagy vállalkozó",
-Applicant,Pályázó,
-Applicant Type,Pályázó típusa,
 Application of Funds (Assets),Vagyon tárgyak alkalmazás (tárgyi eszközök),
 Application period cannot be across two allocation records,Alkalmazási időszak nem lehet két elosztási rekord között,
 Application period cannot be outside leave allocation period,Jelentkezési határidő nem eshet a távolléti időn kívülre,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Az elérhető fóliaszámú részvényes tulajdonosok listája,
 Loading Payment System,Fizetési rendszer betöltés,
 Loan,Hitel,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Hitel összege nem haladhatja meg a maximális kölcsön összegét {0},
-Loan Application,Hiteligénylés,
-Loan Management,Hitelkezelés,
-Loan Repayment,Hitel visszafizetés,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,A hitel kezdő dátuma és a hitelidőszak kötelező a számla diszkontációjának mentéséhez,
 Loans (Liabilities),Hitelek (kötelezettségek),
 Loans and Advances (Assets),A hitelek és előlegek (Tárgyi eszközök),
@@ -1611,7 +1605,6 @@
 Monday,Hétfő,
 Monthly,Havi,
 Monthly Distribution,Havi Felbontás,
-Monthly Repayment Amount cannot be greater than Loan Amount,"Havi törlesztés összege nem lehet nagyobb, mint a hitel összege",
 More,Tovább,
 More Information,Több információ,
 More than one selection for {0} not allowed,A (z) {0} közül egynél több választás nem engedélyezett,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Fizetés: {0} {1},
 Payable,Kifizetendő,
 Payable Account,Beszállítói követelések fizetendő számla,
-Payable Amount,Fizetendő összeg,
 Payment,Fizetés,
 Payment Cancelled. Please check your GoCardless Account for more details,Fizetés törölve. További részletekért tekintse meg GoCardless fiókját,
 Payment Confirmation,Fizetés visszaigazolása,
-Payment Date,Fizetés dátuma,
 Payment Days,Fizetés napjai,
 Payment Document,Fizetési dokumentum,
 Payment Due Date,Fizetési határidő,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,"Kérjük, adjon meg Vásárlási nyugtát először",
 Please enter Receipt Document,"Kérjük, adjon meg dokumentum átvételt",
 Please enter Reference date,"Kérjük, adjon meg Hivatkozási dátumot",
-Please enter Repayment Periods,"Kérjük, írja be a törlesztési időszakokat",
 Please enter Reqd by Date,"Kérjük, adja meg az igénylés dátumát",
 Please enter Woocommerce Server URL,"Kérjük, adja meg a Woocommerce kiszolgáló URL-jét",
 Please enter Write Off Account,"Kérjük, adja meg a Leíráshoz használt számlát",
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,"Kérjük, adjon meg szülő költséghelyet",
 Please enter quantity for Item {0},"Kérjük, adjon meg mennyiséget erre a tételre: {0}",
 Please enter relieving date.,"Kérjük, adjon meg a mentesítési dátumot.",
-Please enter repayment Amount,"Kérjük, adja meg törlesztés összegét",
 Please enter valid Financial Year Start and End Dates,"Kérjük, adjon meg egy érvényes költségvetési év kezdeti és befejezési időpontjait",
 Please enter valid email address,Kérem adjon meg egy érvényes e-mail címet,
 Please enter {0} first,"Kérjük, adja be: {0} először",
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Árazási szabályok tovább szűrhetők a mennyiség alapján.,
 Primary Address Details,Elsődleges cím adatok,
 Primary Contact Details,Elsődleges kapcsolattartási adatok,
-Principal Amount,Tőkeösszeg,
 Print Format,Nyomtatvány sablon,
 Print IRS 1099 Forms,Nyomtassa ki az IRS 1099 űrlapokat,
 Print Report Card,Jelentéskártya nyomtató,
@@ -2550,7 +2538,6 @@
 Sample Collection,Mintagyűjtés,
 Sample quantity {0} cannot be more than received quantity {1},"A minta {0} mennyisége nem lehet több, mint a kapott  {1} mennyiség",
 Sanctioned,Szankcionált,
-Sanctioned Amount,Szentesített Összeg,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,"Szentesített összeg nem lehet nagyobb, mint az igény összege ebben a sorban {0}.",
 Sand,Homok,
 Saturday,Szombat,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,A (z) {0} már rendelkezik szülői eljárással {1}.,
 API,API,
 Annual,Éves,
-Approved,Jóváhagyott,
 Change,Változás,
 Contact Email,Kapcsolattartó e-mailcíme,
 Export Type,Export típusa,
@@ -3571,7 +3557,6 @@
 Account Value,Számlaérték,
 Account is mandatory to get payment entries,A fizetési bejegyzéshez a számla kötelező,
 Account is not set for the dashboard chart {0},A fiók nincs beállítva az irányítópult diagramjára: {0},
-Account {0} does not belong to company {1},A {0}számlához nem tartozik a {1} Vállalat,
 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,
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,"Fiók: A (z) <b>{0}</b> tőke folyamatban van. Folyamatban van, és a Naplóbejegyzés nem frissítheti",
 Account: {0} is not permitted under Payment Entry,Fiók: A (z) {0} nem engedélyezett a fizetési bejegyzés alatt,
@@ -3582,7 +3567,6 @@
 Activity,Tevékenység,
 Add / Manage Email Accounts.,E-mail fiókok hozzáadása / szerkesztése.,
 Add Child,Al csoport hozzáadása,
-Add Loan Security,Adja hozzá a hitelbiztonságot,
 Add Multiple,Többszörös hozzáadás,
 Add Participants,Résztvevők hozzáadása,
 Add to Featured Item,Hozzáadás a Kiemelt elemhez,
@@ -3593,15 +3577,12 @@
 Address Line 1,1. cím sor,
 Addresses,Címek,
 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.",
-Against Loan,Hitel ellen,
-Against Loan:,Kölcsön ellen:,
 All,Összes,
 All bank transactions have been created,Minden banki tranzakció létrejött,
 All the depreciations has been booked,Az összes értékcsökkenést lekötötték,
 Allocation Expired!,Az allokáció lejárt!,
 Allow Resetting Service Level Agreement from Support Settings.,Engedélyezze a szolgáltatási szintű megállapodás visszaállítását a támogatási beállításokból.,
 Amount of {0} is required for Loan closure,A hitel lezárásához {0} összeg szükséges,
-Amount paid cannot be zero,A kifizetett összeg nem lehet nulla,
 Applied Coupon Code,Alkalmazott kuponkód,
 Apply Coupon Code,Alkalmazza a kuponkódot,
 Appointment Booking,Kinevezés Foglalás,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,"Nem lehet kiszámítani az érkezési időt, mivel hiányzik az illesztőprogram címe.",
 Cannot Optimize Route as Driver Address is Missing.,"Nem lehet optimalizálni az útvonalat, mivel hiányzik az illesztőprogram címe.",
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"A (z) {0} feladat nem fejezhető be, mivel a függő {1} feladat nem fejeződött be / nem lett megszakítva.",
-Cannot create loan until application is approved,"Nem lehet hitelt létrehozni, amíg az alkalmazást jóvá nem hagyják",
 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}.",
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","A (z) {1} sorban a (z) {0} tételnél nem lehet túlterhelni, mint {2}. A túlszámlázás engedélyezéséhez kérjük, állítsa be a kedvezményt a Fiókbeállítások között",
 "Capacity Planning Error, planned start time can not be same as end time","Kapacitástervezési hiba, a tervezett indulási idő nem lehet azonos a befejezési idővel",
@@ -3812,20 +3792,9 @@
 Less Than Amount,"Kevesebb, mint összeg",
 Liabilities,Kötelezettségek,
 Loading...,Betöltés...,
-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,
 Loan Applications from customers and employees.,Hitelkérelmek az ügyfelek és az alkalmazottak részéről.,
-Loan Disbursement,Hitel folyósítása,
 Loan Processes,Hitel folyamatok,
-Loan Security,Hitelbiztosítás,
-Loan Security Pledge,Hitelbiztosítási zálogjog,
-Loan Security Pledge Created : {0},Létrehozott hitelbiztosítási zálogjog: {0},
-Loan Security Price,Hitelbiztosítási ár,
-Loan Security Price overlapping with {0},A kölcsönbiztosítási ár átfedésben a (z) {0} -gal,
-Loan Security Unpledge,Hitelbiztosítási fedezetlenség,
-Loan Security Value,Hitelbiztosítási érték,
 Loan Type for interest and penalty rates,Hitel típusa a kamat és a büntetési ráta számára,
-Loan amount cannot be greater than {0},"A hitel összege nem lehet nagyobb, mint {0}",
-Loan is mandatory,A hitel kötelező,
 Loans,Kölcsönök,
 Loans provided to customers and employees.,Az ügyfelek és az alkalmazottak számára nyújtott kölcsönök.,
 Location,Tartózkodási hely,
@@ -3894,7 +3863,6 @@
 Pay,Fizet,
 Payment Document Type,Fizetési okmány típusa,
 Payment Name,Fizetés neve,
-Penalty Amount,Büntetés összege,
 Pending,Függő,
 Performance,Teljesítmény,
 Period based On,Periódus alapján,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,"Kérjük, jelentkezzen be Marketplace felhasználóként, hogy szerkeszthesse ezt az elemet.",
 Please login as a Marketplace User to report this item.,"Kérjük, jelentkezzen be egy Marketplace-felhasználóként, hogy jelentse ezt az elemet.",
 Please select <b>Template Type</b> to download template,A <b>sablon</b> letöltéséhez válassza a <b>Sablon típusa</b> lehetőséget,
-Please select Applicant Type first,Először válassza a Jelentkező típusát,
 Please select Customer first,Először válassza az Ügyfél lehetőséget,
 Please select Item Code first,Először válassza az Elem kódot,
-Please select Loan Type for company {0},Válassza ki a (z) {0} vállalat hitel típusát,
 Please select a Delivery Note,"Kérjük, válasszon szállítólevelet",
 Please select a Sales Person for item: {0},"Kérjük, válasszon egy értékesítőt az elemhez: {0}",
 Please select another payment method. Stripe does not support transactions in currency '{0}',"Kérjük, válasszon más fizetési módot. Csíkos nem támogatja a tranzakciót ebben a pénznemben '{0}'",
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},"Kérjük, állítson be egy alapértelmezett bankszámlát a (z) {0} cég számára",
 Please specify,"Kérjük, határozza meg",
 Please specify a {0},"Kérjük, adjon meg egy {0}",lead
-Pledge Status,Zálogállapot,
-Pledge Time,Ígéret ideje,
 Printing,Nyomtatás,
 Priority,Prioritás,
 Priority has been changed to {0}.,A prioritás {0} -re változott.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,XML fájlok feldolgozása,
 Profitability,Jövedelmezőség,
 Project,Projekt téma,
-Proposed Pledges are mandatory for secured Loans,A javasolt biztosítékok kötelezőek a fedezett kölcsönöknél,
 Provide the academic year and set the starting and ending date.,"Adja meg a tanévet, és állítsa be a kezdő és záró dátumot.",
 Public token is missing for this bank,Hiányzik a bank nyilvános tokenje,
 Publish,közzétesz,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"A beszerzési nyugtán nincs olyan elem, amelyre a minta megőrzése engedélyezve van.",
 Purchase Return,Beszerzési megrendelés visszárú,
 Qty of Finished Goods Item,Darab késztermék,
-Qty or Amount is mandatroy for loan security,A Mennyiség vagy az összeg kötelezővé teszi a hitelbiztosítást,
 Quality Inspection required for Item {0} to submit,A (z) {0} tétel benyújtásához minőségi ellenőrzés szükséges,
 Quantity to Manufacture,Gyártási mennyiség,
 Quantity to Manufacture can not be zero for the operation {0},A gyártási mennyiség nem lehet nulla a műveletnél {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,A megváltás dátumának legalább a csatlakozás dátumával kell egyenlőnek lennie,
 Rename,Átnevezés,
 Rename Not Allowed,Átnevezés nem megengedett,
-Repayment Method is mandatory for term loans,A visszafizetési módszer kötelező a lejáratú kölcsönök esetében,
-Repayment Start Date is mandatory for term loans,A visszafizetés kezdete kötelező a lejáratú hiteleknél,
 Report Item,Jelentés elem,
 Report this Item,Jelentse ezt az elemet,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Alvállalkozók számára fenntartott mennyiség: Nyersanyagmennyiség alvállalkozásba vett termékek előállításához.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},({0} sor): A (z) {1} már kedvezményes a (z) {2} -ben.,
 Rows Added in {0},Sorok hozzáadva a (z) {0} -hoz,
 Rows Removed in {0},Sorok eltávolítva a (z) {0} -ban,
-Sanctioned Amount limit crossed for {0} {1},A (z) {0} {1} áthúzott szankcionált összeghatár,
-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,
 Save,Mentés,
 Save Item,Elem mentése,
 Saved Items,Mentett elemek,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,A(z) {0} felhasználó letiltva,
 Users and Permissions,Felhasználók és engedélyek,
 Vacancies cannot be lower than the current openings,A betöltetlen álláshelyek nem lehetnek alacsonyabbak a jelenlegi nyitóknál,
-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.",
 Valuation Rate required for Item {0} at row {1},A (z) {0} tételhez az {1} sorban szükséges értékelési arány,
 Values Out Of Sync,Értékek szinkronban,
 Vehicle Type is required if Mode of Transport is Road,"Járműtípust kell megadni, ha a szállítási mód közúti",
@@ -4211,7 +4168,6 @@
 Add to Cart,Adja a kosárhoz,
 Days Since Last Order,Napok az utolsó rendelés óta,
 In Stock,Készletben,
-Loan Amount is mandatory,A hitelösszeg kötelező,
 Mode Of Payment,Fizetési mód,
 No students Found,Nem található diák,
 Not in Stock,Nincs készleten,
@@ -4240,7 +4196,6 @@
 Group by,Csoportosítva,
 In stock,Raktáron,
 Item name,Tétel neve,
-Loan amount is mandatory,A hitelösszeg kötelező,
 Minimum Qty,Minimális mennyiség,
 More details,Részletek,
 Nature of Supplies,Kellékek jellege,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Összesen elkészült,
 Qty to Manufacture,Menny. gyártáshoz,
 Repay From Salary can be selected only for term loans,A fizetésből történő visszafizetés csak futamidejű kölcsönöknél választható,
-No valid Loan Security Price found for {0},Nem található érvényes hitelbiztosítási ár a következőnél: {0},
-Loan Account and Payment Account cannot be same,A hitelszámla és a fizetési számla nem lehet azonos,
-Loan Security Pledge can only be created for secured loans,Hitelbiztosítási zálogjog csak fedezett hitelek esetén hozható létre,
 Social Media Campaigns,Közösségi média kampányok,
 From Date can not be greater than To Date,"A kezdő dátum nem lehet nagyobb, mint a dátum",
 Please set a Customer linked to the Patient,"Kérjük, állítson be egy ügyfelet a beteghez",
@@ -6437,7 +6389,6 @@
 HR User,HR Felhasználó,
 Appointment Letter,Kinevezési levél,
 Job Applicant,Állásra pályázó,
-Applicant Name,Pályázó neve,
 Appointment Date,Kinevezés időpontja,
 Appointment Letter Template,Kinevezési levél sablonja,
 Body,Test,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Szinkronizálás folyamatban,
 Hub Seller Name,Hub eladó neve,
 Custom Data,Egyéni adatok,
-Member,Tag,
-Partially Disbursed,Részben folyosított,
-Loan Closure Requested,Igényelt kölcsön lezárás,
 Repay From Salary,Bérből törleszteni,
-Loan Details,Hitel részletei,
-Loan Type,Hitel típus,
-Loan Amount,Hitelösszeg,
-Is Secured Loan,Biztosított hitel,
-Rate of Interest (%) / Year,Kamatláb (%) / év,
-Disbursement Date,Folyósítás napja,
-Disbursed Amount,Kifizetett összeg,
-Is Term Loan,A lejáratú hitel,
-Repayment Method,Törlesztési mód,
-Repay Fixed Amount per Period,Fix összeg visszafizetése időszakonként,
-Repay Over Number of Periods,Törleszteni megadott számú időszakon belül,
-Repayment Period in Months,Törlesztési időszak hónapokban,
-Monthly Repayment Amount,Havi törlesztés összege,
-Repayment Start Date,Visszafizetési kezdőnap,
-Loan Security Details,Hitelbiztonsági részletek,
-Maximum Loan Value,Hitel maximális értéke,
-Account Info,Számlainformáció,
-Loan Account,Hitelszámla,
-Interest Income Account,Kamatbevétel főkönyvi számla,
-Penalty Income Account,Büntetési jövedelem számla,
-Repayment Schedule,Törlesztés ütemezése,
-Total Payable Amount,Összesen fizetendő összeg,
-Total Principal Paid,Fizetett teljes összeg,
-Total Interest Payable,Összes fizetendő kamat,
-Total Amount Paid,Összes fizetett összeg,
-Loan Manager,Hitelkezelő,
-Loan Info,Hitel információja,
-Rate of Interest,Kamatláb,
-Proposed Pledges,Javasolt ígéretek,
-Maximum Loan Amount,Maximális hitel összeg,
-Repayment Info,Törlesztési Info,
-Total Payable Interest,Összesen fizetendő kamat,
-Against Loan ,Hitel ellen,
-Loan Interest Accrual,Hitel kamat elhatárolása,
-Amounts,összegek,
-Pending Principal Amount,Függőben lévő főösszeg,
-Payable Principal Amount,Fizetendő alapösszeg,
-Paid Principal Amount,Fizetett főösszeg,
-Paid Interest Amount,Kifizetett összeg,
-Process Loan Interest Accrual,Folyamatban lévő hitelkamat elhatárolása,
-Repayment Schedule Name,Visszafizetési ütemezés neve,
 Regular Payment,Rendszeres fizetés,
 Loan Closure,Hitel lezárása,
-Payment Details,Fizetés részletei,
-Interest Payable,Fizetendő kamat,
-Amount Paid,Kifizetett Összeg,
-Principal Amount Paid,Fizetett főösszeg,
-Repayment Details,Visszafizetés részletei,
-Loan Repayment Detail,Hitel-visszafizetés részletei,
-Loan Security Name,Hitelbiztonsági név,
-Unit Of Measure,Mértékegység,
-Loan Security Code,Hitelbiztonsági kód,
-Loan Security Type,Hitelbiztosítási típus,
-Haircut %,Hajvágás%,
-Loan  Details,Hitel részletei,
-Unpledged,Unpledged,
-Pledged,elzálogosított,
-Partially Pledged,Részben ígéretet tett,
-Securities,Értékpapír,
-Total Security Value,Teljes biztonsági érték,
-Loan Security Shortfall,Hitelbiztonsági hiány,
-Loan ,Hitel,
-Shortfall Time,Hiányidő,
-America/New_York,Amerika / New_York,
-Shortfall Amount,Hiányos összeg,
-Security Value ,Biztonsági érték,
-Process Loan Security Shortfall,Folyamathitel-biztonsági hiány,
-Loan To Value Ratio,Hitel és érték arány,
-Unpledge Time,Lefedettség ideje,
-Loan Name,Hitel neve,
 Rate of Interest (%) Yearly,Kamatláb (%) Éves,
-Penalty Interest Rate (%) Per Day,Büntetési kamatláb (%) naponta,
-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,
-Grace Period in Days,Türelmi idő napokban,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,"Az esedékesség napjától számított napok száma, amelyekig nem számolunk fel kötbért a hitel törlesztésének késedelme esetén",
-Pledge,Fogadalom,
-Post Haircut Amount,Hajvágás utáni összeg,
-Process Type,Folyamat típusa,
-Update Time,Frissítési idő,
-Proposed Pledge,Javasolt ígéret,
-Total Payment,Teljes fizetés,
-Balance Loan Amount,Hitel összeg mérlege,
-Is Accrued,Felhalmozott,
 Salary Slip Loan,Bérpapír kölcsön,
 Loan Repayment Entry,Hitel-visszafizetési tétel,
-Sanctioned Loan Amount,Szankcionált hitelösszeg,
-Sanctioned Amount Limit,Szankcionált összeghatár,
-Unpledge,Unpledge,
-Haircut,Hajvágás,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Ütemezés létrehozás,
 Schedules,Ütemezések,
@@ -7885,7 +7749,6 @@
 Update Series,Sorszámozás frissítése,
 Change the starting / current sequence number of an existing series.,Megváltoztatni a kezdő / aktuális sorszámot egy meglévő sorozatban.,
 Prefix,Előtag,
-Current Value,Jelenlegi érték,
 This is the number of the last created transaction with this prefix,"Ez az a szám, az ilyen előtaggal utoljára létrehozott tranzakciónak",
 Update Series Number,Széria szám frissítése,
 Quotation Lost Reason,Árajánlat elutasításának oka,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Tételenkénti Ajánlott újrarendelési szint,
 Lead Details,Érdeklődés adatai,
 Lead Owner Efficiency,Érdeklődés Tulajdonos Hatékonysága,
-Loan Repayment and Closure,Hitel visszafizetése és lezárása,
-Loan Security Status,Hitelbiztosítási állapot,
 Lost Opportunity,Elveszett lehetőség,
 Maintenance Schedules,Karbantartási ütemezések,
 Material Requests for which Supplier Quotations are not created,"Anyag igénylések, amelyekre Beszállítói árajánlatokat nem hoztak létre",
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Célzott számlák: {0},
 Payment Account is mandatory,A fizetési számla kötelező,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Ha be van jelölve, a teljes összeget bevallás vagy igazolás benyújtása nélkül levonják az adóköteles jövedelemből a jövedelemadó kiszámítása előtt.",
-Disbursement Details,A folyósítás részletei,
 Material Request Warehouse,Anyagigény-raktár,
 Select warehouse for material requests,Válassza ki a raktárt az anyagkérésekhez,
 Transfer Materials For Warehouse {0},Anyagok átadása raktárhoz {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Visszafizetni az igényelt összeget a fizetésből,
 Deduction from salary,A fizetés levonása,
 Expired Leaves,Lejárt levelek,
-Reference No,referencia szám,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,"A hajvágási százalék a hitelbiztosíték piaci értéke és az adott hitelbiztosítéknak tulajdonított érték közötti százalékos különbség, ha az adott kölcsön fedezetéül szolgál.",
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,"A hitel / érték arány kifejezi a kölcsön összegének és a zálogjog értékének arányát. A hitelbiztosítási hiány akkor lép fel, ha ez bármely hitel esetében a megadott érték alá csökken",
 If this is not checked the loan by default will be considered as a Demand Loan,"Ha ez nincs bejelölve, akkor a hitelt alapértelmezés szerint Igény szerinti kölcsönnek kell tekinteni",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,"Ezt a számlát arra használják, hogy foglalják le a hiteltől származó hiteltörlesztéseket, és kölcsönöket is folyósítanak a hitelfelvevőnek",
 This account is capital account which is used to allocate capital for loan disbursal account ,"Ez a számla tőkeszámla, amelyet a hitel folyósítási számlájához szükséges tőke allokálására használnak",
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},A (z) {0} művelet nem tartozik a (z) {1} munkarendhez,
 Print UOM after Quantity,Az UOM nyomtatása a mennyiség után,
 Set default {0} account for perpetual inventory for non stock items,Állítsa be az alapértelmezett {0} fiókot az állandó készlethez a nem raktári cikkekhez,
-Loan Security {0} added multiple times,Hitelbiztosítás {0} többször is hozzáadva,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Különböző LTV aránnyal rendelkező hitelbiztosítékokat nem lehet egy kölcsön ellenében zálogba adni,
-Qty or Amount is mandatory for loan security!,Mennyiség vagy összeg kötelező a hitelbiztosításhoz!,
-Only submittted unpledge requests can be approved,"Csak a benyújtott, zálogjog nélküli kérelmeket lehet jóváhagyni",
-Interest Amount or Principal Amount is mandatory,Kamatösszeg vagy tőkeösszeg kötelező,
-Disbursed Amount cannot be greater than {0},"A folyósított összeg nem lehet nagyobb, mint {0}",
-Row {0}: Loan Security {1} added multiple times,{0} sor: Hitelbiztosítás {1} többször hozzáadva,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,"{0}. Sor: Az alárendelt elem nem lehet termékcsomag. Távolítsa el a (z) {1} elemet, és mentse",
 Credit limit reached for customer {0},Elért hitelkeret a (z) {0} ügyfél számára,
 Could not auto create Customer due to the following missing mandatory field(s):,Nem sikerült automatikusan létrehozni az Ügyfelet a következő hiányzó kötelező mezők miatt:,
diff --git a/erpnext/translations/id.csv b/erpnext/translations/id.csv
index 649c808..adf9622 100644
--- a/erpnext/translations/id.csv
+++ b/erpnext/translations/id.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Berlaku jika perusahaannya adalah SpA, SApA atau SRL",
 Applicable if the company is a limited liability company,Berlaku jika perusahaan tersebut merupakan perseroan terbatas,
 Applicable if the company is an Individual or a Proprietorship,Berlaku jika perusahaan adalah Perorangan atau Kepemilikan,
-Applicant,Pemohon,
-Applicant Type,Jenis Pemohon,
 Application of Funds (Assets),Penerapan Dana (Aset),
 Application period cannot be across two allocation records,Periode aplikasi tidak dapat melewati dua catatan alokasi,
 Application period cannot be outside leave allocation period,Periode aplikasi tidak bisa periode alokasi cuti di luar,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Daftar Pemegang Saham yang tersedia dengan nomor folio,
 Loading Payment System,Memuat Sistem Pembayaran,
 Loan,Pinjaman,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Jumlah Pinjaman tidak dapat melebihi Jumlah pinjaman maksimum {0},
-Loan Application,Permohonan pinjaman,
-Loan Management,Manajemen Pinjaman,
-Loan Repayment,Pembayaran pinjaman,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Tanggal Mulai Pinjaman dan Periode Pinjaman wajib untuk menyimpan Diskon Faktur,
 Loans (Liabilities),Kredit (Kewajiban),
 Loans and Advances (Assets),Pinjaman Uang Muka dan (Aset),
@@ -1611,7 +1605,6 @@
 Monday,Senin,
 Monthly,Bulanan,
 Monthly Distribution,Distribusi Bulanan,
-Monthly Repayment Amount cannot be greater than Loan Amount,Bulanan Pembayaran Jumlah tidak dapat lebih besar dari Jumlah Pinjaman,
 More,Lanjut,
 More Information,Informasi lebih,
 More than one selection for {0} not allowed,Lebih dari satu pilihan untuk {0} tidak diizinkan,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Bayar {0} {1},
 Payable,Hutang,
 Payable Account,Akun Hutang,
-Payable Amount,Jumlah Hutang,
 Payment,Pembayaran,
 Payment Cancelled. Please check your GoCardless Account for more details,Pembayaran dibatalkan. Silakan periksa Akun GoCardless Anda untuk lebih jelasnya,
 Payment Confirmation,Konfirmasi pembayaran,
-Payment Date,Tanggal pembayaran,
 Payment Days,Hari Jeda Pembayaran,
 Payment Document,Dokumen Pembayaran,
 Payment Due Date,Tanggal Jatuh Tempo Pembayaran,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,Cukup masukkan Nota Penerimaan terlebih dahulu,
 Please enter Receipt Document,Masukkan Dokumen Penerimaan,
 Please enter Reference date,Harap masukkan tanggal Referensi,
-Please enter Repayment Periods,Masukkan Periode Pembayaran,
 Please enter Reqd by Date,Masukkan Reqd menurut Tanggal,
 Please enter Woocommerce Server URL,Silakan masukkan URL Woocommerce Server,
 Please enter Write Off Account,Cukup masukkan Write Off Akun,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,Entrikan pusat biaya orang tua,
 Please enter quantity for Item {0},Mohon masukkan untuk Item {0},
 Please enter relieving date.,Silahkan masukkan menghilangkan date.,
-Please enter repayment Amount,Masukkan pembayaran Jumlah,
 Please enter valid Financial Year Start and End Dates,Entrikan Tahun Mulai berlaku Keuangan dan Tanggal Akhir,
 Please enter valid email address,Harap masukkan alamat email yang benar,
 Please enter {0} first,Entrikan {0} terlebih dahulu,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Aturan Harga selanjutnya disaring berdasarkan kuantitas.,
 Primary Address Details,Rincian Alamat Utama,
 Primary Contact Details,Rincian Kontak Utama,
-Principal Amount,Jumlah Pokok,
 Print Format,Format Cetak,
 Print IRS 1099 Forms,Cetak Formulir IRS 1099,
 Print Report Card,Cetak Kartu Laporan,
@@ -2550,7 +2538,6 @@
 Sample Collection,Koleksi Sampel,
 Sample quantity {0} cannot be more than received quantity {1},Kuantitas sampel {0} tidak boleh lebih dari jumlah yang diterima {1},
 Sanctioned,Sanksi,
-Sanctioned Amount,Jumlah sanksi,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanksi Jumlah tidak dapat lebih besar dari Klaim Jumlah dalam Row {0}.,
 Sand,Pasir,
 Saturday,Sabtu,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} sudah memiliki Prosedur Induk {1}.,
 API,API,
 Annual,Tahunan,
-Approved,Disetujui,
 Change,Perubahan,
 Contact Email,Email Kontak,
 Export Type,Jenis ekspor,
@@ -3571,7 +3557,6 @@
 Account Value,Nilai Akun,
 Account is mandatory to get payment entries,Akun wajib untuk mendapatkan entri pembayaran,
 Account is not set for the dashboard chart {0},Akun tidak disetel untuk bagan dasbor {0},
-Account {0} does not belong to company {1},Akun {0} bukan milik perusahaan {1},
 Account {0} does not exists in the dashboard chart {1},Akun {0} tidak ada dalam bagan dasbor {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Akun: <b>{0}</b> adalah modal sedang dalam proses dan tidak dapat diperbarui oleh Entri Jurnal,
 Account: {0} is not permitted under Payment Entry,Akun: {0} tidak diizinkan di bawah Entri Pembayaran,
@@ -3582,7 +3567,6 @@
 Activity,Aktivitas,
 Add / Manage Email Accounts.,Tambah / Kelola Akun Email.,
 Add Child,Tambah Anak,
-Add Loan Security,Tambahkan Keamanan Pinjaman,
 Add Multiple,Tambahkan Beberapa,
 Add Participants,Tambahkan Peserta,
 Add to Featured Item,Tambahkan ke Item Unggulan,
@@ -3593,15 +3577,12 @@
 Address Line 1,Alamat Baris 1,
 Addresses,Daftar Alamat,
 Admission End Date should be greater than Admission Start Date.,Tanggal Akhir Penerimaan harus lebih besar dari Tanggal Mulai Penerimaan.,
-Against Loan,Terhadap Pinjaman,
-Against Loan:,Terhadap Pinjaman:,
 All,Semua,
 All bank transactions have been created,Semua transaksi bank telah dibuat,
 All the depreciations has been booked,Semua penyusutan telah dipesan,
 Allocation Expired!,Alokasi Berakhir!,
 Allow Resetting Service Level Agreement from Support Settings.,Izinkan Mengatur Ulang Perjanjian Tingkat Layanan dari Pengaturan Dukungan.,
 Amount of {0} is required for Loan closure,Diperlukan jumlah {0} untuk penutupan Pinjaman,
-Amount paid cannot be zero,Jumlah yang dibayarkan tidak boleh nol,
 Applied Coupon Code,Kode Kupon Terapan,
 Apply Coupon Code,Terapkan Kode Kupon,
 Appointment Booking,Pemesanan janji temu,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,Tidak Dapat Menghitung Waktu Kedatangan karena Alamat Pengemudi Tidak Ada.,
 Cannot Optimize Route as Driver Address is Missing.,Tidak Dapat Mengoptimalkan Rute karena Alamat Driver Tidak Ada.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Tidak dapat menyelesaikan tugas {0} karena tugas dependennya {1} tidak selesai / dibatalkan.,
-Cannot create loan until application is approved,Tidak dapat membuat pinjaman sampai permohonan disetujui,
 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}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Tidak dapat menagih berlebih untuk Item {0} di baris {1} lebih dari {2}. Untuk memungkinkan penagihan berlebih, harap setel kelonggaran di Pengaturan Akun",
 "Capacity Planning Error, planned start time can not be same as end time","Perencanaan Kapasitas Kesalahan, waktu mulai yang direncanakan tidak dapat sama dengan waktu akhir",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Jumlah Kurang Dari,
 Liabilities,Kewajiban,
 Loading...,Memuat...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Jumlah Pinjaman melebihi jumlah maksimum pinjaman {0} sesuai dengan sekuritas yang diusulkan,
 Loan Applications from customers and employees.,Aplikasi Pinjaman dari pelanggan dan karyawan.,
-Loan Disbursement,Pencairan Pinjaman,
 Loan Processes,Proses Pinjaman,
-Loan Security,Keamanan Pinjaman,
-Loan Security Pledge,Ikrar Keamanan Pinjaman,
-Loan Security Pledge Created : {0},Ikrar Keamanan Pinjaman Dibuat: {0},
-Loan Security Price,Harga Keamanan Pinjaman,
-Loan Security Price overlapping with {0},Harga Keamanan Pinjaman tumpang tindih dengan {0},
-Loan Security Unpledge,Jaminan Keamanan Pinjaman,
-Loan Security Value,Nilai Keamanan Pinjaman,
 Loan Type for interest and penalty rates,Jenis Pinjaman untuk suku bunga dan penalti,
-Loan amount cannot be greater than {0},Jumlah pinjaman tidak boleh lebih dari {0},
-Loan is mandatory,Pinjaman wajib,
 Loans,Pinjaman,
 Loans provided to customers and employees.,Pinjaman diberikan kepada pelanggan dan karyawan.,
 Location,Lokasi,
@@ -3894,7 +3863,6 @@
 Pay,Membayar,
 Payment Document Type,Jenis Dokumen Pembayaran,
 Payment Name,Nama Pembayaran,
-Penalty Amount,Jumlah Penalti,
 Pending,Menunggu,
 Performance,Performa,
 Period based On,Periode berdasarkan,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,Silakan masuk sebagai Pengguna Marketplace untuk mengedit item ini.,
 Please login as a Marketplace User to report this item.,Silakan masuk sebagai Pengguna Marketplace untuk melaporkan item ini.,
 Please select <b>Template Type</b> to download template,Silakan pilih <b>Jenis Templat</b> untuk mengunduh templat,
-Please select Applicant Type first,Silakan pilih Jenis Pemohon terlebih dahulu,
 Please select Customer first,Silakan pilih Pelanggan terlebih dahulu,
 Please select Item Code first,Silakan pilih Kode Barang terlebih dahulu,
-Please select Loan Type for company {0},Silakan pilih Jenis Pinjaman untuk perusahaan {0},
 Please select a Delivery Note,Silakan pilih Catatan Pengiriman,
 Please select a Sales Person for item: {0},Silakan pilih Tenaga Penjual untuk item: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Silahkan pilih metode pembayaran lain. Stripe tidak mendukung transaksi dalam mata uang &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Harap siapkan rekening bank default untuk perusahaan {0},
 Please specify,Silakan tentukan,
 Please specify a {0},Silakan tentukan {0},lead
-Pledge Status,Status Ikrar,
-Pledge Time,Waktu Ikrar,
 Printing,Pencetakan,
 Priority,Prioritas,
 Priority has been changed to {0}.,Prioritas telah diubah menjadi {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Memproses File XML,
 Profitability,Profitabilitas,
 Project,Proyek,
-Proposed Pledges are mandatory for secured Loans,Janji yang Diusulkan adalah wajib untuk Pinjaman yang dijamin,
 Provide the academic year and set the starting and ending date.,Berikan tahun akademik dan tetapkan tanggal mulai dan berakhir.,
 Public token is missing for this bank,Token publik tidak ada untuk bank ini,
 Publish,Menerbitkan,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Kwitansi Pembelian tidak memiliki Barang yang Retain Sampel diaktifkan.,
 Purchase Return,Pembelian Kembali,
 Qty of Finished Goods Item,Jumlah Barang Jadi,
-Qty or Amount is mandatroy for loan security,Jumlah atau Jumlah adalah mandatroy untuk keamanan pinjaman,
 Quality Inspection required for Item {0} to submit,Diperlukan Pemeriksaan Kualitas untuk Barang {0} untuk dikirimkan,
 Quantity to Manufacture,Kuantitas untuk Memproduksi,
 Quantity to Manufacture can not be zero for the operation {0},Kuantitas untuk Pembuatan tidak boleh nol untuk operasi {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Tanggal pelepasan harus lebih besar dari atau sama dengan Tanggal Bergabung,
 Rename,Ubah nama,
 Rename Not Allowed,Ganti nama Tidak Diizinkan,
-Repayment Method is mandatory for term loans,Metode Pembayaran wajib untuk pinjaman berjangka,
-Repayment Start Date is mandatory for term loans,Tanggal Mulai Pembayaran wajib untuk pinjaman berjangka,
 Report Item,Laporkan Item,
 Report this Item,Laporkan Item ini,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Jumlah Pesanan untuk Subkontrak: Jumlah bahan baku untuk membuat barang yang disubkontrakkan.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Baris ({0}): {1} sudah didiskon dalam {2},
 Rows Added in {0},Baris Ditambahkan dalam {0},
 Rows Removed in {0},Baris Dihapus dalam {0},
-Sanctioned Amount limit crossed for {0} {1},Batas Jumlah yang disetujui terlampaui untuk {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},Jumlah Pinjaman yang Diberi Sanksi sudah ada untuk {0} melawan perusahaan {1},
 Save,Simpan,
 Save Item,Simpan Barang,
 Saved Items,Item Tersimpan,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Pengguna {0} dinonaktifkan,
 Users and Permissions,Pengguna dan Perizinan,
 Vacancies cannot be lower than the current openings,Lowongan tidak boleh lebih rendah dari pembukaan saat ini,
-Valid From Time must be lesser than Valid Upto Time.,Berlaku Dari Waktu harus lebih kecil dari Waktu Berlaku yang Valid.,
 Valuation Rate required for Item {0} at row {1},Diperlukan Tingkat Penilaian untuk Item {0} di baris {1},
 Values Out Of Sync,Nilai Tidak Disinkronkan,
 Vehicle Type is required if Mode of Transport is Road,Jenis Kendaraan diperlukan jika Mode Transportasi adalah Jalan,
@@ -4211,7 +4168,6 @@
 Add to Cart,Tambahkan ke Keranjang Belanja,
 Days Since Last Order,Hari Sejak Pemesanan Terakhir,
 In Stock,Dalam Persediaan,
-Loan Amount is mandatory,Jumlah pinjaman adalah wajib,
 Mode Of Payment,Mode Pembayaran,
 No students Found,Tidak ada siswa yang ditemukan,
 Not in Stock,Tidak tersedia,
@@ -4240,7 +4196,6 @@
 Group by,Kelompok Dengan,
 In stock,Persediaan,
 Item name,Nama Item,
-Loan amount is mandatory,Jumlah pinjaman adalah wajib,
 Minimum Qty,Minimum Qty,
 More details,Detail Lebih,
 Nature of Supplies,Sifat Pasokan,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Total Qty yang Diselesaikan,
 Qty to Manufacture,Kuantitas untuk diproduksi,
 Repay From Salary can be selected only for term loans,Bayar Dari Gaji hanya dapat dipilih untuk pinjaman berjangka,
-No valid Loan Security Price found for {0},Tidak ada Harga Jaminan Pinjaman yang valid untuk {0},
-Loan Account and Payment Account cannot be same,Rekening Pinjaman dan Rekening Pembayaran tidak boleh sama,
-Loan Security Pledge can only be created for secured loans,Janji Keamanan Pinjaman hanya dapat dibuat untuk pinjaman dengan jaminan,
 Social Media Campaigns,Kampanye Media Sosial,
 From Date can not be greater than To Date,From Date tidak boleh lebih dari To Date,
 Please set a Customer linked to the Patient,Harap tetapkan Pelanggan yang ditautkan ke Pasien,
@@ -6437,7 +6389,6 @@
 HR User,HR Pengguna,
 Appointment Letter,Surat Pengangkatan,
 Job Applicant,Pemohon Kerja,
-Applicant Name,Nama Pemohon,
 Appointment Date,Tanggal Pengangkatan,
 Appointment Letter Template,Templat Surat Pengangkatan,
 Body,Tubuh,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Sinkron Sedang Berlangsung,
 Hub Seller Name,Nama Penjual Hub,
 Custom Data,Data Khusus,
-Member,Anggota,
-Partially Disbursed,sebagian Dicairkan,
-Loan Closure Requested,Penutupan Pinjaman Diminta,
 Repay From Salary,Membayar dari Gaji,
-Loan Details,Detail pinjaman,
-Loan Type,Jenis pinjaman,
-Loan Amount,Jumlah pinjaman,
-Is Secured Loan,Apakah Pinjaman Terjamin,
-Rate of Interest (%) / Year,Tingkat bunga (%) / Tahun,
-Disbursement Date,pencairan Tanggal,
-Disbursed Amount,Jumlah yang Dicairkan,
-Is Term Loan,Apakah Term Loan,
-Repayment Method,Metode pembayaran,
-Repay Fixed Amount per Period,Membayar Jumlah Tetap per Periode,
-Repay Over Number of Periods,Membayar Lebih dari Jumlah Periode,
-Repayment Period in Months,Periode pembayaran di Bulan,
-Monthly Repayment Amount,Bulanan Pembayaran Jumlah,
-Repayment Start Date,Tanggal Mulai Pembayaran Kembali,
-Loan Security Details,Detail Keamanan Pinjaman,
-Maximum Loan Value,Nilai Pinjaman Maksimal,
-Account Info,Info akun,
-Loan Account,Rekening Pinjaman,
-Interest Income Account,Akun Pendapatan Bunga,
-Penalty Income Account,Akun Penghasilan Denda,
-Repayment Schedule,Jadwal pembayaran,
-Total Payable Amount,Jumlah Total Hutang,
-Total Principal Paid,Total Pokok yang Dibayar,
-Total Interest Payable,Total Utang Bunga,
-Total Amount Paid,Jumlah Total yang Dibayar,
-Loan Manager,Manajer Pinjaman,
-Loan Info,Info kredit,
-Rate of Interest,Tingkat Tujuan,
-Proposed Pledges,Janji yang Diusulkan,
-Maximum Loan Amount,Maksimum Jumlah Pinjaman,
-Repayment Info,Info pembayaran,
-Total Payable Interest,Total Utang Bunga,
-Against Loan ,Melawan Pinjaman,
-Loan Interest Accrual,Bunga Kredit Akrual,
-Amounts,Jumlah,
-Pending Principal Amount,Jumlah Pokok Tertunda,
-Payable Principal Amount,Jumlah Pokok Hutang,
-Paid Principal Amount,Jumlah Pokok yang Dibayar,
-Paid Interest Amount,Jumlah Bunga yang Dibayar,
-Process Loan Interest Accrual,Memproses Bunga Pinjaman Akrual,
-Repayment Schedule Name,Nama Jadwal Pembayaran,
 Regular Payment,Pembayaran Reguler,
 Loan Closure,Penutupan Pinjaman,
-Payment Details,Rincian Pembayaran,
-Interest Payable,Hutang bunga,
-Amount Paid,Jumlah Dibayar,
-Principal Amount Paid,Jumlah Pokok yang Dibayar,
-Repayment Details,Rincian Pembayaran,
-Loan Repayment Detail,Detail Pembayaran Pinjaman,
-Loan Security Name,Nama Keamanan Pinjaman,
-Unit Of Measure,Satuan ukuran,
-Loan Security Code,Kode Keamanan Pinjaman,
-Loan Security Type,Jenis Keamanan Pinjaman,
-Haircut %,Potongan rambut%,
-Loan  Details,Rincian Pinjaman,
-Unpledged,Tidak dijanjikan,
-Pledged,Dijanjikan,
-Partially Pledged,Diagunkan Sebagian,
-Securities,Efek,
-Total Security Value,Nilai Keamanan Total,
-Loan Security Shortfall,Kekurangan Keamanan Pinjaman,
-Loan ,Pinjaman,
-Shortfall Time,Waktu Kekurangan,
-America/New_York,America / New_York,
-Shortfall Amount,Jumlah Shortfall,
-Security Value ,Nilai Keamanan,
-Process Loan Security Shortfall,Proses Kekurangan Keamanan Pinjaman,
-Loan To Value Ratio,Rasio Pinjaman Terhadap Nilai,
-Unpledge Time,Unpledge Time,
-Loan Name,pinjaman Nama,
 Rate of Interest (%) Yearly,Tingkat bunga (%) Tahunan,
-Penalty Interest Rate (%) Per Day,Tingkat Bunga Penalti (%) Per Hari,
-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,
-Grace Period in Days,Periode Rahmat dalam hitungan Hari,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,Jumlah hari dari tanggal jatuh tempo hingga denda tidak akan dibebankan jika terjadi keterlambatan pembayaran pinjaman,
-Pledge,Janji,
-Post Haircut Amount,Posting Jumlah Potong Rambut,
-Process Type,Jenis Proses,
-Update Time,Perbarui Waktu,
-Proposed Pledge,Usulan Ikrar,
-Total Payment,Total pembayaran,
-Balance Loan Amount,Saldo Jumlah Pinjaman,
-Is Accrued,Dikumpulkan,
 Salary Slip Loan,Pinjaman Saldo Gaji,
 Loan Repayment Entry,Entri Pembayaran Pinjaman,
-Sanctioned Loan Amount,Jumlah Pinjaman Yang Diberi Sanksi,
-Sanctioned Amount Limit,Batas Jumlah Yang Diberi Sanksi,
-Unpledge,Tidak ada janji,
-Haircut,Potong rambut,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Hasilkan Jadwal,
 Schedules,Jadwal,
@@ -7885,7 +7749,6 @@
 Update Series,Perbarui Seri,
 Change the starting / current sequence number of an existing series.,Mengubah mulai / nomor urut saat ini dari seri yang ada.,
 Prefix,Awalan,
-Current Value,Nilai saat ini,
 This is the number of the last created transaction with this prefix,Ini adalah jumlah transaksi yang diciptakan terakhir dengan awalan ini,
 Update Series Number,Perbarui Nomor Seri,
 Quotation Lost Reason,Alasan Kalah Penawaran,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise Rekomendasi Reorder Tingkat,
 Lead Details,Rincian Prospek,
 Lead Owner Efficiency,Efisiensi Pemilik Prospek,
-Loan Repayment and Closure,Pembayaran dan Penutupan Pinjaman,
-Loan Security Status,Status Keamanan Pinjaman,
 Lost Opportunity,Peluang Hilang,
 Maintenance Schedules,Jadwal pemeliharaan,
 Material Requests for which Supplier Quotations are not created,Permintaan Material yang Supplier Quotation tidak diciptakan,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Jumlah yang Ditargetkan: {0},
 Payment Account is mandatory,Akun Pembayaran adalah wajib,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Jika dicentang, jumlah penuh akan dipotong dari penghasilan kena pajak sebelum menghitung pajak penghasilan tanpa pernyataan atau penyerahan bukti.",
-Disbursement Details,Detail Pencairan,
 Material Request Warehouse,Gudang Permintaan Material,
 Select warehouse for material requests,Pilih gudang untuk permintaan material,
 Transfer Materials For Warehouse {0},Mentransfer Bahan Untuk Gudang {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Membayar kembali jumlah gaji yang belum diklaim,
 Deduction from salary,Pemotongan gaji,
 Expired Leaves,Daun kadaluarsa,
-Reference No,nomor referensi,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,Persentase potongan rambut adalah perbedaan persentase antara nilai pasar dari Jaminan Pinjaman dan nilai yang dianggap berasal dari Jaminan Pinjaman tersebut ketika digunakan sebagai jaminan untuk pinjaman tersebut.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,Loan To Value Ratio mengungkapkan rasio jumlah pinjaman dengan nilai jaminan yang dijaminkan. Kekurangan jaminan pinjaman akan dipicu jika jumlahnya di bawah nilai yang ditentukan untuk pinjaman apa pun,
 If this is not checked the loan by default will be considered as a Demand Loan,"Jika tidak dicentang, pinjaman secara default akan dianggap sebagai Pinjaman Permintaan",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Rekening ini digunakan untuk membukukan pembayaran pinjaman dari peminjam dan juga menyalurkan pinjaman kepada peminjam,
 This account is capital account which is used to allocate capital for loan disbursal account ,Akun ini adalah akun modal yang digunakan untuk mengalokasikan modal ke akun pencairan pinjaman,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Operasi {0} bukan milik perintah kerja {1},
 Print UOM after Quantity,Cetak UOM setelah Kuantitas,
 Set default {0} account for perpetual inventory for non stock items,Tetapkan akun {0} default untuk persediaan perpetual untuk item non-stok,
-Loan Security {0} added multiple times,Jaminan Pinjaman {0} ditambahkan beberapa kali,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Efek Pinjaman dengan rasio LTV berbeda tidak dapat dijaminkan untuk satu pinjaman,
-Qty or Amount is mandatory for loan security!,Qty atau Amount wajib untuk keamanan pinjaman!,
-Only submittted unpledge requests can be approved,Hanya permintaan unpledge yang dikirim yang dapat disetujui,
-Interest Amount or Principal Amount is mandatory,Jumlah Bunga atau Jumlah Pokok wajib diisi,
-Disbursed Amount cannot be greater than {0},Jumlah yang Dicairkan tidak boleh lebih dari {0},
-Row {0}: Loan Security {1} added multiple times,Baris {0}: Jaminan Pinjaman {1} ditambahkan beberapa kali,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Baris # {0}: Item Anak tidak boleh menjadi Paket Produk. Harap hapus Item {1} dan Simpan,
 Credit limit reached for customer {0},Batas kredit tercapai untuk pelanggan {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Tidak dapat membuat Pelanggan secara otomatis karena bidang wajib berikut tidak ada:,
diff --git a/erpnext/translations/is.csv b/erpnext/translations/is.csv
index 8319a53..c5843ac 100644
--- a/erpnext/translations/is.csv
+++ b/erpnext/translations/is.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Gildir ef fyrirtækið er SpA, SApA eða SRL",
 Applicable if the company is a limited liability company,Gildir ef fyrirtækið er hlutafélag,
 Applicable if the company is an Individual or a Proprietorship,Gildir ef fyrirtækið er einstaklingur eða eignaraðild,
-Applicant,Umsækjandi,
-Applicant Type,Umsækjandi Tegund,
 Application of Funds (Assets),Umsókn um Funds (eignum),
 Application period cannot be across two allocation records,Umsóknarfrestur getur ekki verið yfir tveimur úthlutunarskrám,
 Application period cannot be outside leave allocation period,Umsókn tímabil getur ekki verið úti leyfi úthlutun tímabil,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Listi yfir tiltæka hluthafa með folíumnúmerum,
 Loading Payment System,Hleðsla greiðslukerfis,
 Loan,Lán,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Lánið upphæð mega vera Hámarkslán af {0},
-Loan Application,Lán umsókn,
-Loan Management,Lánastjórnun,
-Loan Repayment,Lán endurgreiðslu,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Upphafsdagur og lánstímabil lána er skylt að vista reikningsafslátt,
 Loans (Liabilities),Lán (skulda),
 Loans and Advances (Assets),Útlán og kröfur (inneign),
@@ -1611,7 +1605,6 @@
 Monday,Mánudagur,
 Monthly,Mánaðarleg,
 Monthly Distribution,Mánaðarleg dreifing,
-Monthly Repayment Amount cannot be greater than Loan Amount,Mánaðarlega endurgreiðslu Upphæð má ekki vera meiri en lánsfjárhæð,
 More,meira,
 More Information,Meiri upplýsingar,
 More than one selection for {0} not allowed,Fleiri en eitt val fyrir {0} er ekki leyfilegt,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Borga {0} {1},
 Payable,greiðist,
 Payable Account,greiðist Reikningur,
-Payable Amount,Greiðslufjárhæð,
 Payment,Greiðsla,
 Payment Cancelled. Please check your GoCardless Account for more details,Greiðsla hætt. Vinsamlegast athugaðu GoCardless reikninginn þinn til að fá frekari upplýsingar,
 Payment Confirmation,Greiðsla staðfestingar,
-Payment Date,Greiðsludagur,
 Payment Days,Greiðsla Days,
 Payment Document,greiðsla Document,
 Payment Due Date,Greiðsla Due Date,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,Vinsamlegast sláðu inn kvittun fyrst,
 Please enter Receipt Document,Vinsamlegast sláðu inn Kvittun Skjal,
 Please enter Reference date,Vinsamlegast sláðu viðmiðunardagur,
-Please enter Repayment Periods,Vinsamlegast sláðu inn lánstíma,
 Please enter Reqd by Date,Vinsamlegast sláðu inn Reqd eftir dagsetningu,
 Please enter Woocommerce Server URL,Vinsamlegast sláðu inn slóðina á Woocommerce Server,
 Please enter Write Off Account,Vinsamlegast sláðu afskrifa reikning,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,Vinsamlegast sláðu foreldri kostnaðarstað,
 Please enter quantity for Item {0},Vinsamlegast sláðu inn magn fyrir lið {0},
 Please enter relieving date.,Vinsamlegast sláðu létta dagsetningu.,
-Please enter repayment Amount,Vinsamlegast sláðu endurgreiðslu Upphæð,
 Please enter valid Financial Year Start and End Dates,Vinsamlegast sláðu inn fjárhagsári upphafs- og lokadagsetningar,
 Please enter valid email address,Vinsamlegast sláðu inn gilt netfang,
 Please enter {0} first,Vinsamlegast sláðu inn {0} fyrst,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Verðlagning Reglurnar eru frekar síuð miðað við magn.,
 Primary Address Details,Aðalupplýsingaupplýsingar,
 Primary Contact Details,Aðal upplýsingar um tengilið,
-Principal Amount,höfuðstóll,
 Print Format,Print Format,
 Print IRS 1099 Forms,Prentaðu IRS 1099 eyðublöð,
 Print Report Card,Prenta skýrslukort,
@@ -2550,7 +2538,6 @@
 Sample Collection,Sýnishorn,
 Sample quantity {0} cannot be more than received quantity {1},Sýni magn {0} getur ekki verið meira en móttekin magn {1},
 Sanctioned,bundnar,
-Sanctioned Amount,bundnar Upphæð,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Bundnar Upphæð má ekki vera meiri en bótafjárhæðir í Row {0}.,
 Sand,Sandur,
 Saturday,laugardagur,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} er þegar með foreldraferli {1}.,
 API,API,
 Annual,Árleg,
-Approved,samþykkt,
 Change,Breyta,
 Contact Email,Netfang tengiliðar,
 Export Type,Útflutningsgerð,
@@ -3571,7 +3557,6 @@
 Account Value,Reikningsgildi,
 Account is mandatory to get payment entries,Reikningur er nauðsynlegur til að fá greiðslufærslur,
 Account is not set for the dashboard chart {0},Reikningur er ekki stilltur fyrir stjórnborðið {0},
-Account {0} does not belong to company {1},Reikningur {0} ekki tilheyra félaginu {1},
 Account {0} does not exists in the dashboard chart {1},Reikningur {0} er ekki til í stjórnborði töflunnar {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Reikningur: <b>{0}</b> er höfuðborg Vinna í vinnslu og ekki er hægt að uppfæra hana með færslu dagbókar,
 Account: {0} is not permitted under Payment Entry,Reikningur: {0} er ekki leyfður samkvæmt greiðslufærslu,
@@ -3582,7 +3567,6 @@
 Activity,virkni,
 Add / Manage Email Accounts.,Bæta við / stjórna email reikningur.,
 Add Child,Bæta Child,
-Add Loan Security,Bættu við lánsöryggi,
 Add Multiple,Bæta við mörgum,
 Add Participants,Bæta við þátttakendum,
 Add to Featured Item,Bæta við valinn hlut,
@@ -3593,15 +3577,12 @@
 Address Line 1,Heimilisfang lína 1,
 Addresses,Heimilisföng,
 Admission End Date should be greater than Admission Start Date.,Lokadagsetning inntöku ætti að vera meiri en upphafsdagur inntöku.,
-Against Loan,Gegn láni,
-Against Loan:,Gegn láni:,
 All,Allt,
 All bank transactions have been created,Öll bankaviðskipti hafa verið búin til,
 All the depreciations has been booked,Allar afskriftirnar hafa verið bókaðar,
 Allocation Expired!,Úthlutun rann út!,
 Allow Resetting Service Level Agreement from Support Settings.,Leyfa að endurstilla þjónustustigssamning frá stuðningsstillingum.,
 Amount of {0} is required for Loan closure,Fjárhæð {0} er nauðsynleg vegna lokunar lána,
-Amount paid cannot be zero,Upphæð greidd getur ekki verið núll,
 Applied Coupon Code,Beitt afsláttarmiða kóða,
 Apply Coupon Code,Notaðu afsláttarmiða kóða,
 Appointment Booking,Ráðningabókun,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,Ekki hægt að reikna komutíma þar sem netfang ökumanns vantar.,
 Cannot Optimize Route as Driver Address is Missing.,Ekki hægt að fínstilla leið þar sem heimilisfang ökumanns vantar.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Ekki hægt að ljúka verkefni {0} þar sem háð verkefni {1} þess eru ekki felld / hætt.,
-Cannot create loan until application is approved,Get ekki stofnað lán fyrr en umsóknin hefur verið samþykkt,
 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}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Ekki hægt að of mikið af hlut {0} í röð {1} meira en {2}. Til að leyfa ofinnheimtu, vinsamlegast stilltu vasapeninga í reikningum",
 "Capacity Planning Error, planned start time can not be same as end time","Villa við skipulagsgetu, áætlaður upphafstími getur ekki verið sá sami og lokatími",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Minna en upphæð,
 Liabilities,Skuldir,
 Loading...,Loading ...,
-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,
 Loan Applications from customers and employees.,Lánaforrit frá viðskiptavinum og starfsmönnum.,
-Loan Disbursement,Útborgun lána,
 Loan Processes,Lánaferli,
-Loan Security,Lánöryggi,
-Loan Security Pledge,Veðlán við lánsöryggi,
-Loan Security Pledge Created : {0},Veðtryggingarlán til útlána búið til: {0},
-Loan Security Price,Lánaöryggisverð,
-Loan Security Price overlapping with {0},Öryggisverð lána skarast við {0},
-Loan Security Unpledge,Útilokun lánaöryggis,
-Loan Security Value,Öryggisgildi lána,
 Loan Type for interest and penalty rates,Lántegund fyrir vexti og dráttarvexti,
-Loan amount cannot be greater than {0},Lánsfjárhæð getur ekki verið meiri en {0},
-Loan is mandatory,Lán er skylt,
 Loans,Lán,
 Loans provided to customers and employees.,Lán veitt viðskiptavinum og starfsmönnum.,
 Location,Staðsetning,
@@ -3894,7 +3863,6 @@
 Pay,Greitt,
 Payment Document Type,Tegund greiðslu skjals,
 Payment Name,Greiðsluheiti,
-Penalty Amount,Vítaspyrna,
 Pending,Bíður,
 Performance,Frammistaða,
 Period based On,Tímabil byggt á,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,Vinsamlegast skráðu þig inn sem notandi Marketplace til að breyta þessu atriði.,
 Please login as a Marketplace User to report this item.,Vinsamlegast skráðu þig inn sem notandi Marketplace til að tilkynna þetta.,
 Please select <b>Template Type</b> to download template,Vinsamlegast veldu <b>sniðmát</b> til að hlaða niður sniðmáti,
-Please select Applicant Type first,Vinsamlegast veldu gerð umsækjanda fyrst,
 Please select Customer first,Vinsamlegast veldu viðskiptavin fyrst,
 Please select Item Code first,Vinsamlegast veldu hlutakóða fyrst,
-Please select Loan Type for company {0},Vinsamlegast veldu Lántegund fyrir fyrirtæki {0},
 Please select a Delivery Note,Vinsamlegast veldu afhendingarskilaboð,
 Please select a Sales Person for item: {0},Veldu söluaðila fyrir hlutinn: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Vinsamlegast veldu annan greiðsluaðferð. Rönd styður ekki viðskipti í gjaldmiðli &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Settu upp sjálfgefinn bankareikning fyrir {0} fyrirtæki,
 Please specify,vinsamlegast tilgreindu,
 Please specify a {0},Vinsamlegast tilgreindu {0},lead
-Pledge Status,Veðréttarstaða,
-Pledge Time,Veðsetningartími,
 Printing,Prentun,
 Priority,Forgangur,
 Priority has been changed to {0}.,Forgangi hefur verið breytt í {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Vinnsla XML skrár,
 Profitability,Arðsemi,
 Project,Project,
-Proposed Pledges are mandatory for secured Loans,Fyrirhugaðar veðsetningar eru skylda vegna tryggðra lána,
 Provide the academic year and set the starting and ending date.,Veittu námsárið og stilltu upphafs- og lokadagsetningu.,
 Public token is missing for this bank,Það vantar opinberan tákn fyrir þennan banka,
 Publish,Birta,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Innkaupakvittun er ekki með neinn hlut sem varðveita sýnishorn er virkt fyrir.,
 Purchase Return,kaup Return,
 Qty of Finished Goods Item,Magn fullunninna vara,
-Qty or Amount is mandatroy for loan security,Magn eða fjárhæð er mandatroy fyrir lánsöryggi,
 Quality Inspection required for Item {0} to submit,Gæðaskoðun þarf til að skila inn hlut {0},
 Quantity to Manufacture,Magn til framleiðslu,
 Quantity to Manufacture can not be zero for the operation {0},Magn til framleiðslu getur ekki verið núll fyrir aðgerðina {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Slökunardagur verður að vera meiri en eða jafn og dagsetningardagur,
 Rename,endurnefna,
 Rename Not Allowed,Endurnefna ekki leyfilegt,
-Repayment Method is mandatory for term loans,Endurgreiðsluaðferð er skylda fyrir tíma lán,
-Repayment Start Date is mandatory for term loans,Upphafsdagur endurgreiðslu er skylda vegna lánstíma,
 Report Item,Tilkynna hlut,
 Report this Item,Tilkynna þetta atriði,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Frátekið magn fyrir undirverktaka: Magn hráefna til að búa til undirverktaka hluti.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Röð ({0}): {1} er nú þegar afsláttur af {2},
 Rows Added in {0},Raðir bætt við í {0},
 Rows Removed in {0},Raðir fjarlægðar á {0},
-Sanctioned Amount limit crossed for {0} {1},Viðurkennd fjárhæðarmörk yfir {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},Viðurkennd lánsfjárhæð er þegar til fyrir {0} gegn fyrirtæki {1},
 Save,Vista,
 Save Item,Vista hlut,
 Saved Items,Vistaðir hlutir,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,User {0} er óvirk,
 Users and Permissions,Notendur og heimildir,
 Vacancies cannot be lower than the current openings,Laus störf geta ekki verið lægri en núverandi opnun,
-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.,
 Valuation Rate required for Item {0} at row {1},Matshluti krafist fyrir lið {0} í röð {1},
 Values Out Of Sync,Gildi utan samstillingar,
 Vehicle Type is required if Mode of Transport is Road,Gerð ökutækis er krafist ef flutningsmáti er vegur,
@@ -4211,7 +4168,6 @@
 Add to Cart,Bæta í körfu,
 Days Since Last Order,Dagar frá síðustu pöntun,
 In Stock,Á lager,
-Loan Amount is mandatory,Lánsfjárhæð er skylt,
 Mode Of Payment,Háttur á greiðslu,
 No students Found,Engir nemendur fundnir,
 Not in Stock,Ekki til á lager,
@@ -4240,7 +4196,6 @@
 Group by,Hópa eftir,
 In stock,Á lager,
 Item name,Item Name,
-Loan amount is mandatory,Lánsfjárhæð er skylt,
 Minimum Qty,Lágmarksfjöldi,
 More details,Nánari upplýsingar,
 Nature of Supplies,Eðli birgða,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Heildar lokið fjölda,
 Qty to Manufacture,Magn To Framleiðsla,
 Repay From Salary can be selected only for term loans,Endurgreiðsla frá launum er aðeins hægt að velja fyrir lán til lengri tíma,
-No valid Loan Security Price found for {0},Ekkert gilt öryggisverð lána fannst fyrir {0},
-Loan Account and Payment Account cannot be same,Lánsreikningur og greiðslureikningur geta ekki verið eins,
-Loan Security Pledge can only be created for secured loans,Lánsöryggisloforð er aðeins hægt að búa til vegna tryggðra lána,
 Social Media Campaigns,Herferðir samfélagsmiðla,
 From Date can not be greater than To Date,Frá dagsetningu má ekki vera meira en til dags,
 Please set a Customer linked to the Patient,Vinsamlegast stilltu viðskiptavin sem er tengdur við sjúklinginn,
@@ -6437,7 +6389,6 @@
 HR User,HR User,
 Appointment Letter,Ráðningarbréf,
 Job Applicant,Atvinna umsækjanda,
-Applicant Name,umsækjandi Nafn,
 Appointment Date,Skipunardagur,
 Appointment Letter Template,Skipunarsniðmát,
 Body,Líkami,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Samstilling í framvindu,
 Hub Seller Name,Hub seljanda nafn,
 Custom Data,Sérsniðin gögn,
-Member,Meðlimur,
-Partially Disbursed,hluta ráðstafað,
-Loan Closure Requested,Óskað er eftir lokun lána,
 Repay From Salary,Endurgreiða frá Laun,
-Loan Details,lán Nánar,
-Loan Type,lán Type,
-Loan Amount,lánsfjárhæð,
-Is Secured Loan,Er tryggt lán,
-Rate of Interest (%) / Year,Vextir (%) / Ár,
-Disbursement Date,útgreiðsludagur,
-Disbursed Amount,Útborgað magn,
-Is Term Loan,Er tíma lán,
-Repayment Method,endurgreiðsla Aðferð,
-Repay Fixed Amount per Period,Endurgreiða Föst upphæð á hvern Tímabil,
-Repay Over Number of Periods,Endurgreiða yfir fjölda tímum,
-Repayment Period in Months,Lánstími í mánuði,
-Monthly Repayment Amount,Mánaðarlega endurgreiðslu Upphæð,
-Repayment Start Date,Endurgreiðsla upphafsdagur,
-Loan Security Details,Upplýsingar um öryggi lána,
-Maximum Loan Value,Hámarkslánagildi,
-Account Info,Reikningur Upplýsingar,
-Loan Account,Lánreikningur,
-Interest Income Account,Vaxtatekjur Reikningur,
-Penalty Income Account,Vítisreikning,
-Repayment Schedule,endurgreiðsla Dagskrá,
-Total Payable Amount,Alls Greiðist Upphæð,
-Total Principal Paid,Heildargreiðsla greidd,
-Total Interest Payable,Samtals vaxtagjöld,
-Total Amount Paid,Heildarfjárhæð greitt,
-Loan Manager,Lánastjóri,
-Loan Info,lán Info,
-Rate of Interest,Vöxtum,
-Proposed Pledges,Fyrirhugaðar veðsetningar,
-Maximum Loan Amount,Hámarkslán,
-Repayment Info,endurgreiðsla Upplýsingar,
-Total Payable Interest,Alls Greiðist Vextir,
-Against Loan ,Gegn láni,
-Loan Interest Accrual,Uppsöfnun vaxtalána,
-Amounts,Fjárhæðir,
-Pending Principal Amount,Aðalupphæð í bið,
-Payable Principal Amount,Greiðilegt aðalupphæð,
-Paid Principal Amount,Greitt aðalupphæð,
-Paid Interest Amount,Greidd vaxtaupphæð,
-Process Loan Interest Accrual,Að vinna úr áföllum vaxtalána,
-Repayment Schedule Name,Nafn endurgreiðsluáætlunar,
 Regular Payment,Regluleg greiðsla,
 Loan Closure,Lánalokun,
-Payment Details,Greiðsluupplýsingar,
-Interest Payable,Vextir sem greiða ber,
-Amount Paid,Greidd upphæð,
-Principal Amount Paid,Aðalupphæð greidd,
-Repayment Details,Upplýsingar um endurgreiðslu,
-Loan Repayment Detail,Upplýsingar um endurgreiðslu lána,
-Loan Security Name,Öryggisheiti láns,
-Unit Of Measure,Mælieining,
-Loan Security Code,Öryggisnúmer lána,
-Loan Security Type,Tegund öryggis,
-Haircut %,Hárskera%,
-Loan  Details,Upplýsingar um lán,
-Unpledged,Óléttað,
-Pledged,Veðsett,
-Partially Pledged,Veðsett að hluta,
-Securities,Verðbréf,
-Total Security Value,Heildaröryggisgildi,
-Loan Security Shortfall,Skortur á lánsöryggi,
-Loan ,Lán,
-Shortfall Time,Skortur tími,
-America/New_York,Ameríka / New_York,
-Shortfall Amount,Fjárhæð,
-Security Value ,Öryggisgildi,
-Process Loan Security Shortfall,Að vinna úr öryggisskorti,
-Loan To Value Ratio,Hlutfall lána,
-Unpledge Time,Tímasetning,
-Loan Name,lán Name,
 Rate of Interest (%) Yearly,Rate of Interest (%) Árleg,
-Penalty Interest Rate (%) Per Day,Dráttarvextir (%) á dag,
-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,
-Grace Period in Days,Náðstímabil á dögum,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,Fjöldi daga frá gjalddaga þar til refsing verður ekki innheimt ef tafir verða á endurgreiðslu lána,
-Pledge,Veð,
-Post Haircut Amount,Fjárhæð hárskera,
-Process Type,Ferlategund,
-Update Time,Uppfærslutími,
-Proposed Pledge,Fyrirhugað veð,
-Total Payment,Samtals greiðsla,
-Balance Loan Amount,Balance lánsfjárhæð,
-Is Accrued,Er safnað,
 Salary Slip Loan,Launasala,
 Loan Repayment Entry,Endurgreiðsla lána,
-Sanctioned Loan Amount,Viðurkennt lánsfjárhæð,
-Sanctioned Amount Limit,Viðurkennd fjárhæðarmörk,
-Unpledge,Fjarlægja,
-Haircut,Hárskera,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,búa Stundaskrá,
 Schedules,Skrár,
@@ -7885,7 +7749,6 @@
 Update Series,Uppfæra Series,
 Change the starting / current sequence number of an existing series.,Breyta upphafsdegi / núverandi raðnúmer núverandi röð.,
 Prefix,forskeyti,
-Current Value,Núverandi Value,
 This is the number of the last created transaction with this prefix,Þetta er fjöldi síðustu búin færslu með þessu forskeyti,
 Update Series Number,Uppfæra Series Number,
 Quotation Lost Reason,Tilvitnun Lost Ástæða,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise Mælt Uppröðun Level,
 Lead Details,Lead Upplýsingar,
 Lead Owner Efficiency,Lead Owner Efficiency,
-Loan Repayment and Closure,Endurgreiðsla og lokun lána,
-Loan Security Status,Staða lánaöryggis,
 Lost Opportunity,Týnt tækifæri,
 Maintenance Schedules,viðhald Skrár,
 Material Requests for which Supplier Quotations are not created,Efni Beiðnir sem Birgir tilvitnanir eru ekki stofnað,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Talningar miðaðar: {0},
 Payment Account is mandatory,Greiðslureikningur er lögboðinn,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.",Ef hakað er við verður heildarupphæðin dregin frá skattskyldum tekjum áður en tekjuskattur er reiknaður út án þess að yfirlýsing eða sönnun sé lögð fram.,
-Disbursement Details,Upplýsingar um útgreiðslu,
 Material Request Warehouse,Vöruhús fyrir beiðni um efni,
 Select warehouse for material requests,Veldu lager fyrir efnisbeiðnir,
 Transfer Materials For Warehouse {0},Flytja efni fyrir lager {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Endurgreiða óheimta upphæð af launum,
 Deduction from salary,Frádráttur frá launum,
 Expired Leaves,Útrunnið lauf,
-Reference No,Tilvísun nr,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,Hárgreiðsluprósenta er hlutfallsmunur á markaðsvirði lánsverðtryggingarinnar og því gildi sem því lánsbréfi er kennt þegar það er notað sem trygging fyrir því láni.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,Hlutfall láns og verðmætis lýsir hlutfalli lánsfjárhæðar af andvirði tryggingarinnar. Skortur á öryggisláni verður af stað ef þetta fer undir tilgreint gildi fyrir lán,
 If this is not checked the loan by default will be considered as a Demand Loan,Ef ekki er hakað við þetta verður lánið sjálfgefið litið á sem eftirspurnarlán,
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Þessi reikningur er notaður til að bóka endurgreiðslur lána frá lántakanda og einnig til að greiða út lán til lántakanda,
 This account is capital account which is used to allocate capital for loan disbursal account ,Þessi reikningur er fjármagnsreikningur sem er notaður til að úthluta fjármagni til útborgunarreiknings lána,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Aðgerð {0} tilheyrir ekki vinnupöntuninni {1},
 Print UOM after Quantity,Prentaðu UOM eftir magni,
 Set default {0} account for perpetual inventory for non stock items,Stilltu sjálfgefinn {0} reikning fyrir ævarandi birgðir fyrir hluti sem ekki eru birgðir,
-Loan Security {0} added multiple times,Lánaöryggi {0} bætt við mörgum sinnum,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Ekki er hægt að veðsetja verðbréf með mismunandi lántökuhlutfalli gegn einu láni,
-Qty or Amount is mandatory for loan security!,Magn eða upphæð er skylda til að tryggja lán!,
-Only submittted unpledge requests can be approved,Einungis er hægt að samþykkja sendar óskað um loforð,
-Interest Amount or Principal Amount is mandatory,Vaxtaupphæð eða aðalupphæð er lögboðin,
-Disbursed Amount cannot be greater than {0},Útborgað magn má ekki vera meira en {0},
-Row {0}: Loan Security {1} added multiple times,Röð {0}: Lánaöryggi {1} bætt við mörgum sinnum,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Röð nr. {0}: Barnaburður ætti ekki að vera vörubúnt. Vinsamlegast fjarlægðu hlutinn {1} og vistaðu,
 Credit limit reached for customer {0},Lánshámarki náð fyrir viðskiptavin {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Gat ekki sjálfkrafa stofnað viðskiptavin vegna eftirfarandi vantar lögboðna reita (s):,
diff --git a/erpnext/translations/it.csv b/erpnext/translations/it.csv
index b6b9bcc..ab3f2ed 100644
--- a/erpnext/translations/it.csv
+++ b/erpnext/translations/it.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Applicabile se la società è SpA, SApA o SRL",
 Applicable if the company is a limited liability company,Applicabile se la società è una società a responsabilità limitata,
 Applicable if the company is an Individual or a Proprietorship,Applicabile se la società è un individuo o una proprietà,
-Applicant,Richiedente,
-Applicant Type,Tipo di candidato,
 Application of Funds (Assets),Applicazione dei fondi ( Assets ),
 Application period cannot be across two allocation records,Il periodo di applicazione non può essere su due record di allocazione,
 Application period cannot be outside leave allocation period,La data richiesta è fuori dal periodo di assegnazione,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Elenco di azionisti disponibili con numeri di folio,
 Loading Payment System,Caricamento del sistema di pagamento,
 Loan,Prestito,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Importo del prestito non può superare il massimo importo del prestito {0},
-Loan Application,Domanda di prestito,
-Loan Management,Gestione dei prestiti,
-Loan Repayment,Rimborso del prestito,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,La data di inizio del prestito e il periodo del prestito sono obbligatori per salvare lo sconto fattura,
 Loans (Liabilities),Prestiti (passività ),
 Loans and Advances (Assets),Crediti ( Assets ),
@@ -1611,7 +1605,6 @@
 Monday,Lunedi,
 Monthly,Mensile,
 Monthly Distribution,Distribuzione mensile,
-Monthly Repayment Amount cannot be greater than Loan Amount,Rimborso mensile non può essere maggiore di prestito Importo,
 More,Più,
 More Information,Maggiori informazioni,
 More than one selection for {0} not allowed,Non è consentita più di una selezione per {0},
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Paga {0} {1},
 Payable,pagabile,
 Payable Account,Conto pagabile,
-Payable Amount,Importo da pagare,
 Payment,Pagamento,
 Payment Cancelled. Please check your GoCardless Account for more details,Pagamento annullato. Controlla il tuo account GoCardless per maggiori dettagli,
 Payment Confirmation,Conferma di pagamento,
-Payment Date,Data di pagamento,
 Payment Days,Giorni di pagamento,
 Payment Document,Documento di pagamento,
 Payment Due Date,Scadenza,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,Si prega di inserire prima la Ricevuta di Acquisto,
 Please enter Receipt Document,Si prega di inserire prima il Documento di Ricevimento,
 Please enter Reference date,Inserisci Data di riferimento,
-Please enter Repayment Periods,Si prega di inserire periodi di rimborso,
 Please enter Reqd by Date,Si prega di inserire la data di consegna richiesta,
 Please enter Woocommerce Server URL,Inserisci l&#39;URL del server Woocommerce,
 Please enter Write Off Account,Inserisci Conto per Svalutazioni,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,Inserisci il centro di costo genitore,
 Please enter quantity for Item {0},Inserite la quantità per articolo {0},
 Please enter relieving date.,Inserisci la data alleviare .,
-Please enter repayment Amount,Si prega di inserire l&#39;importo di rimborso,
 Please enter valid Financial Year Start and End Dates,Si prega di inserire valido Esercizio inizio e di fine,
 Please enter valid email address,Inserisci indirizzo email valido,
 Please enter {0} first,Si prega di inserire {0} prima,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Regole dei prezzi sono ulteriormente filtrati in base alla quantità.,
 Primary Address Details,Dettagli indirizzo primario,
 Primary Contact Details,Dettagli del contatto principale,
-Principal Amount,Quota capitale,
 Print Format,Formato Stampa,
 Print IRS 1099 Forms,Stampa moduli IRS 1099,
 Print Report Card,Stampa la pagella,
@@ -2550,7 +2538,6 @@
 Sample Collection,Raccolta di campioni,
 Sample quantity {0} cannot be more than received quantity {1},La quantità di esempio {0} non può essere superiore alla quantità ricevuta {1},
 Sanctioned,sanzionato,
-Sanctioned Amount,Importo sanzionato,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Importo sanzionato non può essere maggiore di rivendicazione Importo in riga {0}.,
 Sand,Sabbia,
 Saturday,Sabato,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} ha già una procedura padre {1}.,
 API,API,
 Annual,Annuale,
-Approved,Approvato,
 Change,Cambia,
 Contact Email,Email Contatto,
 Export Type,Tipo di esportazione,
@@ -3571,7 +3557,6 @@
 Account Value,Valore del conto,
 Account is mandatory to get payment entries,L&#39;account è obbligatorio per ottenere voci di pagamento,
 Account is not set for the dashboard chart {0},L&#39;account non è impostato per il grafico del dashboard {0},
-Account {0} does not belong to company {1},Il Conto {0} non appartiene alla società {1},
 Account {0} does not exists in the dashboard chart {1},L&#39;account {0} non esiste nel grafico del dashboard {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Conto: <b>{0}</b> è capitale Lavori in corso e non può essere aggiornato dalla registrazione prima nota,
 Account: {0} is not permitted under Payment Entry,Account: {0} non è consentito in Voce pagamento,
@@ -3582,7 +3567,6 @@
 Activity,Attività,
 Add / Manage Email Accounts.,Aggiungere / Gestire accounts email.,
 Add Child,Aggiungi una sottovoce,
-Add Loan Security,Aggiungi protezione prestito,
 Add Multiple,Aggiunta multipla,
 Add Participants,Aggiungi partecipanti,
 Add to Featured Item,Aggiungi all&#39;elemento in evidenza,
@@ -3593,15 +3577,12 @@
 Address Line 1,Indirizzo,
 Addresses,Indirizzi,
 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.,
-Against Loan,Contro il prestito,
-Against Loan:,Contro il prestito:,
 All,Tutti,
 All bank transactions have been created,Tutte le transazioni bancarie sono state create,
 All the depreciations has been booked,Tutti gli ammortamenti sono stati registrati,
 Allocation Expired!,Allocazione scaduta!,
 Allow Resetting Service Level Agreement from Support Settings.,Consenti il ripristino del contratto sul livello di servizio dalle impostazioni di supporto.,
 Amount of {0} is required for Loan closure,Per la chiusura del prestito è richiesto un importo di {0},
-Amount paid cannot be zero,L&#39;importo pagato non può essere zero,
 Applied Coupon Code,Codice coupon applicato,
 Apply Coupon Code,Applica il codice coupon,
 Appointment Booking,Prenotazione appuntamenti,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,Impossibile calcolare l&#39;orario di arrivo poiché l&#39;indirizzo del conducente è mancante.,
 Cannot Optimize Route as Driver Address is Missing.,Impossibile ottimizzare il percorso poiché manca l&#39;indirizzo del driver.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Impossibile completare l&#39;attività {0} poiché l&#39;attività dipendente {1} non è stata completata / annullata.,
-Cannot create loan until application is approved,Impossibile creare un prestito fino all&#39;approvazione della domanda,
 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}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Impossibile eseguire l&#39;overbilling per l&#39;articolo {0} nella riga {1} più di {2}. Per consentire l&#39;eccessiva fatturazione, imposta l&#39;indennità in Impostazioni account",
 "Capacity Planning Error, planned start time can not be same as end time","Errore di pianificazione della capacità, l&#39;ora di inizio pianificata non può coincidere con l&#39;ora di fine",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Meno dell&#39;importo,
 Liabilities,passivo,
 Loading...,Caricamento in corso ...,
-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,
 Loan Applications from customers and employees.,Domande di prestito da parte di clienti e dipendenti.,
-Loan Disbursement,Prestito,
 Loan Processes,Processi di prestito,
-Loan Security,Sicurezza del prestito,
-Loan Security Pledge,Impegno di sicurezza del prestito,
-Loan Security Pledge Created : {0},Pegno di sicurezza del prestito creato: {0},
-Loan Security Price,Prezzo di sicurezza del prestito,
-Loan Security Price overlapping with {0},Prezzo del prestito sovrapposto con {0},
-Loan Security Unpledge,Prestito Unpledge di sicurezza,
-Loan Security Value,Valore di sicurezza del prestito,
 Loan Type for interest and penalty rates,Tipo di prestito per tassi di interesse e penalità,
-Loan amount cannot be greater than {0},L&#39;importo del prestito non può essere superiore a {0},
-Loan is mandatory,Il prestito è obbligatorio,
 Loans,prestiti,
 Loans provided to customers and employees.,Prestiti erogati a clienti e dipendenti.,
 Location,Posizione,
@@ -3894,7 +3863,6 @@
 Pay,Paga,
 Payment Document Type,Tipo di documento di pagamento,
 Payment Name,Nome pagamento,
-Penalty Amount,Importo della penalità,
 Pending,In attesa,
 Performance,Prestazione,
 Period based On,Periodo basato su,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,Effettua il login come utente del marketplace per modificare questo elemento.,
 Please login as a Marketplace User to report this item.,Effettua il login come utente del marketplace per segnalare questo articolo.,
 Please select <b>Template Type</b> to download template,Seleziona <b>Tipo</b> di modello per scaricare il modello,
-Please select Applicant Type first,Seleziona prima il tipo di candidato,
 Please select Customer first,Seleziona prima il cliente,
 Please select Item Code first,Seleziona prima il codice articolo,
-Please select Loan Type for company {0},Seleziona il tipo di prestito per la società {0},
 Please select a Delivery Note,Seleziona una bolla di consegna,
 Please select a Sales Person for item: {0},Seleziona un addetto alle vendite per l&#39;articolo: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Seleziona un altro metodo di pagamento. Stripe non supporta transazioni in valuta &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Configura un conto bancario predefinito per la società {0},
 Please specify,Si prega di specificare,
 Please specify a {0},Si prega di specificare un {0},lead
-Pledge Status,Pledge Status,
-Pledge Time,Pledge Time,
 Printing,Stampa,
 Priority,Priorità,
 Priority has been changed to {0}.,La priorità è stata cambiata in {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Elaborazione di file XML,
 Profitability,Redditività,
 Project,Progetto,
-Proposed Pledges are mandatory for secured Loans,Gli impegni proposti sono obbligatori per i prestiti garantiti,
 Provide the academic year and set the starting and ending date.,Fornire l&#39;anno accademico e impostare la data di inizio e di fine.,
 Public token is missing for this bank,Token pubblico mancante per questa banca,
 Publish,Pubblicare,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,La ricevuta di acquisto non ha articoli per i quali è abilitato Conserva campione.,
 Purchase Return,Acquisto Ritorno,
 Qty of Finished Goods Item,Qtà di articoli finiti,
-Qty or Amount is mandatroy for loan security,Qtà o importo è obbligatorio per la sicurezza del prestito,
 Quality Inspection required for Item {0} to submit,Ispezione di qualità richiesta per l&#39;invio dell&#39;articolo {0},
 Quantity to Manufacture,Quantità da produrre,
 Quantity to Manufacture can not be zero for the operation {0},La quantità da produrre non può essere zero per l&#39;operazione {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,La data di rilascio deve essere maggiore o uguale alla data di iscrizione,
 Rename,Rinomina,
 Rename Not Allowed,Rinomina non consentita,
-Repayment Method is mandatory for term loans,Il metodo di rimborso è obbligatorio per i prestiti a termine,
-Repayment Start Date is mandatory for term loans,La data di inizio del rimborso è obbligatoria per i prestiti a termine,
 Report Item,Segnala articolo,
 Report this Item,Segnala questo elemento,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Qtà riservata per conto lavoro: quantità di materie prime per la fabbricazione di articoli in conto lavoro.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Riga ({0}): {1} è già scontato in {2},
 Rows Added in {0},Righe aggiunte in {0},
 Rows Removed in {0},Righe rimosse in {0},
-Sanctioned Amount limit crossed for {0} {1},Limite di importo sanzionato superato per {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},L&#39;importo del prestito sanzionato esiste già per {0} contro la società {1},
 Save,Salva,
 Save Item,Salva articolo,
 Saved Items,Articoli salvati,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Utente {0} è disattivato,
 Users and Permissions,Utenti e Permessi,
 Vacancies cannot be lower than the current openings,I posti vacanti non possono essere inferiori alle aperture correnti,
-Valid From Time must be lesser than Valid Upto Time.,Valido da tempo deve essere inferiore a Valido fino a tempo.,
 Valuation Rate required for Item {0} at row {1},Tasso di valutazione richiesto per l&#39;articolo {0} alla riga {1},
 Values Out Of Sync,Valori non sincronizzati,
 Vehicle Type is required if Mode of Transport is Road,Il tipo di veicolo è richiesto se la modalità di trasporto è su strada,
@@ -4211,7 +4168,6 @@
 Add to Cart,Aggiungi al carrello,
 Days Since Last Order,Giorni dall&#39;ultimo ordine,
 In Stock,In Magazzino,
-Loan Amount is mandatory,L&#39;importo del prestito è obbligatorio,
 Mode Of Payment,Modalità di pagamento,
 No students Found,Nessuno studente trovato,
 Not in Stock,Non in Stock,
@@ -4240,7 +4196,6 @@
 Group by,Raggruppa per,
 In stock,disponibile,
 Item name,Nome Articolo,
-Loan amount is mandatory,L&#39;importo del prestito è obbligatorio,
 Minimum Qty,Qtà minima,
 More details,Maggiori dettagli,
 Nature of Supplies,Natura dei rifornimenti,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Qtà totale completata,
 Qty to Manufacture,Qtà da Produrre,
 Repay From Salary can be selected only for term loans,Il rimborso dallo stipendio può essere selezionato solo per i prestiti a termine,
-No valid Loan Security Price found for {0},Nessun prezzo di garanzia del prestito valido trovato per {0},
-Loan Account and Payment Account cannot be same,Conto prestito e Conto di pagamento non possono essere gli stessi,
-Loan Security Pledge can only be created for secured loans,Loan Security Pledge può essere creato solo per prestiti garantiti,
 Social Media Campaigns,Campagne sui social media,
 From Date can not be greater than To Date,Dalla data non può essere maggiore di Alla data,
 Please set a Customer linked to the Patient,Impostare un cliente collegato al paziente,
@@ -6437,7 +6389,6 @@
 HR User,HR utente,
 Appointment Letter,Lettera di appuntamento,
 Job Applicant,Candidati,
-Applicant Name,Nome del Richiedente,
 Appointment Date,Data dell&#39;appuntamento,
 Appointment Letter Template,Modello di lettera di appuntamento,
 Body,Corpo,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Sincronizzazione in corso,
 Hub Seller Name,Nome venditore Hub,
 Custom Data,Dati personalizzati,
-Member,Membro,
-Partially Disbursed,parzialmente erogato,
-Loan Closure Requested,Chiusura del prestito richiesta,
 Repay From Salary,Rimborsare da Retribuzione,
-Loan Details,prestito Dettagli,
-Loan Type,Tipo di prestito,
-Loan Amount,Ammontare del prestito,
-Is Secured Loan,È un prestito garantito,
-Rate of Interest (%) / Year,Tasso di interesse (%) / anno,
-Disbursement Date,L&#39;erogazione Data,
-Disbursed Amount,Importo erogato,
-Is Term Loan,È prestito a termine,
-Repayment Method,Metodo di rimborso,
-Repay Fixed Amount per Period,Rimborsare importo fisso per Periodo,
-Repay Over Number of Periods,Rimborsare corso Numero di periodi,
-Repayment Period in Months,Il rimborso Periodo in mese,
-Monthly Repayment Amount,Ammontare Rimborso Mensile,
-Repayment Start Date,Data di inizio del rimborso,
-Loan Security Details,Dettagli sulla sicurezza del prestito,
-Maximum Loan Value,Valore massimo del prestito,
-Account Info,Informazioni sull&#39;account,
-Loan Account,Conto del prestito,
-Interest Income Account,Conto Interessi attivi,
-Penalty Income Account,Conto del reddito di sanzione,
-Repayment Schedule,Piano di rimborso,
-Total Payable Amount,Totale passività,
-Total Principal Paid,Totale principale pagato,
-Total Interest Payable,Totale interessi passivi,
-Total Amount Paid,Importo totale pagato,
-Loan Manager,Responsabile del prestito,
-Loan Info,Info prestito,
-Rate of Interest,Tasso di interesse,
-Proposed Pledges,Impegni proposti,
-Maximum Loan Amount,Importo massimo del prestito,
-Repayment Info,Info rimborso,
-Total Payable Interest,Totale interessi passivi,
-Against Loan ,Contro prestito,
-Loan Interest Accrual,Rateo interessi attivi,
-Amounts,importi,
-Pending Principal Amount,Importo principale in sospeso,
-Payable Principal Amount,Importo principale pagabile,
-Paid Principal Amount,Importo principale pagato,
-Paid Interest Amount,Importo degli interessi pagati,
-Process Loan Interest Accrual,Accantonamento per interessi su prestiti di processo,
-Repayment Schedule Name,Nome programma di rimborso,
 Regular Payment,Pagamento regolare,
 Loan Closure,Chiusura del prestito,
-Payment Details,Dettagli del pagamento,
-Interest Payable,Interessi da pagare,
-Amount Paid,Importo pagato,
-Principal Amount Paid,Importo principale pagato,
-Repayment Details,Dettagli sul rimborso,
-Loan Repayment Detail,Dettaglio rimborso prestito,
-Loan Security Name,Nome di sicurezza del prestito,
-Unit Of Measure,Unità di misura,
-Loan Security Code,Codice di sicurezza del prestito,
-Loan Security Type,Tipo di sicurezza del prestito,
-Haircut %,Taglio di capelli %,
-Loan  Details,Dettagli del prestito,
-Unpledged,Unpledged,
-Pledged,impegnati,
-Partially Pledged,Parzialmente promesso,
-Securities,valori,
-Total Security Value,Valore di sicurezza totale,
-Loan Security Shortfall,Mancanza di sicurezza del prestito,
-Loan ,Prestito,
-Shortfall Time,Scadenza,
-America/New_York,America / New_York,
-Shortfall Amount,Importo del deficit,
-Security Value ,Valore di sicurezza,
-Process Loan Security Shortfall,Mancanza di sicurezza del prestito di processo,
-Loan To Value Ratio,Rapporto prestito / valore,
-Unpledge Time,Unpledge Time,
-Loan Name,Nome prestito,
 Rate of Interest (%) Yearly,Tasso di interesse (%) Performance,
-Penalty Interest Rate (%) Per Day,Tasso di interesse di penalità (%) al giorno,
-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,
-Grace Period in Days,Grace Period in Days,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,N. giorni dalla scadenza fino ai quali non verrà addebitata la penale in caso di ritardo nel rimborso del prestito,
-Pledge,Impegno,
-Post Haircut Amount,Importo post taglio,
-Process Type,Tipo di processo,
-Update Time,Tempo di aggiornamento,
-Proposed Pledge,Pegno proposto,
-Total Payment,Pagamento totale,
-Balance Loan Amount,Importo del prestito di bilancio,
-Is Accrued,È maturato,
 Salary Slip Loan,Salario Slip Loan,
 Loan Repayment Entry,Iscrizione rimborso prestiti,
-Sanctioned Loan Amount,Importo del prestito sanzionato,
-Sanctioned Amount Limit,Limite di importo sanzionato,
-Unpledge,Unpledge,
-Haircut,Taglio di capelli,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Genera Programma,
 Schedules,Orari,
@@ -7885,7 +7749,6 @@
 Update Series,Aggiorna Serie,
 Change the starting / current sequence number of an existing series.,Cambia l'inizio/numero sequenza corrente per una serie esistente,
 Prefix,Prefisso,
-Current Value,Valore Corrente,
 This is the number of the last created transaction with this prefix,Questo è il numero dell&#39;ultimo transazione creata con questo prefisso,
 Update Series Number,Aggiorna Numero della Serie,
 Quotation Lost Reason,Motivo per la mancata vendita,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise consigliata riordino Livello,
 Lead Details,Dettagli Lead,
 Lead Owner Efficiency,Efficienza del proprietario del cavo,
-Loan Repayment and Closure,Rimborso e chiusura del prestito,
-Loan Security Status,Stato di sicurezza del prestito,
 Lost Opportunity,Opportunità persa,
 Maintenance Schedules,Programmi di manutenzione,
 Material Requests for which Supplier Quotations are not created,Richieste di materiale per le quali non sono state create Quotazioni dal Fornitore,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Conteggi targetizzati: {0},
 Payment Account is mandatory,Il conto di pagamento è obbligatorio,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Se selezionato, l&#39;intero importo verrà detratto dal reddito imponibile prima del calcolo dell&#39;imposta sul reddito senza alcuna dichiarazione o presentazione di prove.",
-Disbursement Details,Dettagli sull&#39;erogazione,
 Material Request Warehouse,Magazzino richiesta materiale,
 Select warehouse for material requests,Seleziona il magazzino per le richieste di materiale,
 Transfer Materials For Warehouse {0},Trasferisci materiali per magazzino {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Rimborsare l&#39;importo non reclamato dallo stipendio,
 Deduction from salary,Detrazione dallo stipendio,
 Expired Leaves,Foglie scadute,
-Reference No,Riferimento n,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,La percentuale di scarto di garanzia è la differenza percentuale tra il valore di mercato del Titolo del prestito e il valore attribuito a tale Titolo del prestito quando utilizzato come garanzia per quel prestito.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,"Loan To Value Ratio esprime il rapporto tra l&#39;importo del prestito e il valore del titolo in pegno. Se questo scende al di sotto del valore specificato per qualsiasi prestito, verrà attivato un deficit di sicurezza del prestito",
 If this is not checked the loan by default will be considered as a Demand Loan,"Se questa opzione non è selezionata, il prestito di default sarà considerato come un prestito a vista",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Questo conto viene utilizzato per la prenotazione del rimborso del prestito dal mutuatario e anche per l&#39;erogazione dei prestiti al mutuatario,
 This account is capital account which is used to allocate capital for loan disbursal account ,Questo conto è un conto capitale utilizzato per allocare il capitale per il conto di erogazione del prestito,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},L&#39;operazione {0} non appartiene all&#39;ordine di lavoro {1},
 Print UOM after Quantity,Stampa UOM dopo la quantità,
 Set default {0} account for perpetual inventory for non stock items,Imposta l&#39;account {0} predefinito per l&#39;inventario perpetuo per gli articoli non in stock,
-Loan Security {0} added multiple times,Prestito sicurezza {0} aggiunto più volte,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Titoli in prestito con diverso rapporto LTV non possono essere costituiti in pegno su un prestito,
-Qty or Amount is mandatory for loan security!,La quantità o l&#39;importo è obbligatorio per la garanzia del prestito!,
-Only submittted unpledge requests can be approved,Possono essere approvate solo le richieste di mancato impegno inviate,
-Interest Amount or Principal Amount is mandatory,L&#39;importo degli interessi o l&#39;importo del capitale è obbligatorio,
-Disbursed Amount cannot be greater than {0},L&#39;importo erogato non può essere maggiore di {0},
-Row {0}: Loan Security {1} added multiple times,Riga {0}: Prestito sicurezza {1} aggiunta più volte,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Riga n. {0}: l&#39;elemento secondario non deve essere un pacchetto di prodotti. Rimuovi l&#39;elemento {1} e salva,
 Credit limit reached for customer {0},Limite di credito raggiunto per il cliente {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Impossibile creare automaticamente il cliente a causa dei seguenti campi obbligatori mancanti:,
diff --git a/erpnext/translations/ja.csv b/erpnext/translations/ja.csv
index 16acc24..227fe59 100644
--- a/erpnext/translations/ja.csv
+++ b/erpnext/translations/ja.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL",会社がSpA、SApAまたはSRLの場合に適用可能,
 Applicable if the company is a limited liability company,会社が有限責任会社である場合に適用可能,
 Applicable if the company is an Individual or a Proprietorship,会社が個人または所有者の場合,
-Applicant,応募者,
-Applicant Type,出願者タイプ,
 Application of Funds (Assets),資金運用(資産),
 Application period cannot be across two allocation records,適用期間は2つの割り当てレコードにまたがることはできません,
 Application period cannot be outside leave allocation period,申請期間は休暇割当期間外にすることはできません,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,フォリオ番号を持つ利用可能な株主のリスト,
 Loading Payment System,支払いシステムの読み込み,
 Loan,ローン,
-Loan Amount cannot exceed Maximum Loan Amount of {0},融資額は、{0}の最大融資額を超えることはできません。,
-Loan Application,ローン申し込み,
-Loan Management,ローン管理,
-Loan Repayment,ローン返済,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,請求書割引を保存するには、ローン開始日とローン期間が必須です。,
 Loans (Liabilities),ローン(負債),
 Loans and Advances (Assets),ローンと貸付金(資産),
@@ -1611,7 +1605,6 @@
 Monday,月曜日,
 Monthly,月次,
 Monthly Distribution,月次配分,
-Monthly Repayment Amount cannot be greater than Loan Amount,月返済額は融資額を超えることはできません,
 More,続き,
 More Information,詳細,
 More than one selection for {0} not allowed,{0}に対する複数の選択は許可されていません,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},{0} {1}を支払う,
 Payable,買掛,
 Payable Account,買掛金勘定,
-Payable Amount,支払金額,
 Payment,支払,
 Payment Cancelled. Please check your GoCardless Account for more details,支払いがキャンセルされました。詳細はGoCardlessアカウントで確認してください,
 Payment Confirmation,支払確認,
-Payment Date,支払期日,
 Payment Days,支払日,
 Payment Document,支払ドキュメント,
 Payment Due Date,支払期日,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,領収書を入力してください,
 Please enter Receipt Document,領収書の文書を入力してください。,
 Please enter Reference date,基準日を入力してください,
-Please enter Repayment Periods,返済期間を入力してください。,
 Please enter Reqd by Date,Reqd by Dateを入力してください,
 Please enter Woocommerce Server URL,Woocommerce ServerのURLを入力してください,
 Please enter Write Off Account,償却勘定を入力してください,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,親コストセンターを入力してください,
 Please enter quantity for Item {0},アイテム{0}の数量を入力してください,
 Please enter relieving date.,退職日を入力してください。,
-Please enter repayment Amount,返済金額を入力してください。,
 Please enter valid Financial Year Start and End Dates,有効な会計年度開始日と終了日を入力してください,
 Please enter valid email address,有効なメールアドレスを入力してください,
 Please enter {0} first,先に{0}を入力してください,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,価格設定ルールは量に基づいてさらにフィルタリングされます,
 Primary Address Details,優先アドレスの詳細,
 Primary Contact Details,優先連絡先の詳細,
-Principal Amount,元本金額,
 Print Format,印刷書式,
 Print IRS 1099 Forms,IRS 1099フォームを印刷する,
 Print Report Card,レポートカードを印刷する,
@@ -2550,7 +2538,6 @@
 Sample Collection,サンプル収集,
 Sample quantity {0} cannot be more than received quantity {1},サンプル数{0}は受信数量{1}を超えることはできません,
 Sanctioned,認可済,
-Sanctioned Amount,承認予算額,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,決済額は、行{0}での請求額を超えることはできません。,
 Sand,砂,
 Saturday,土曜日,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0}にはすでに親プロシージャー{1}があります。,
 API,API,
 Annual,年次,
-Approved,承認済,
 Change,変更,
 Contact Email,連絡先 メール,
 Export Type,輸出タイプ,
@@ -3571,7 +3557,6 @@
 Account Value,アカウント価値,
 Account is mandatory to get payment entries,支払いエントリを取得するにはアカウントが必須です,
 Account is not set for the dashboard chart {0},ダッシュボードチャート{0}にアカウントが設定されていません,
-Account {0} does not belong to company {1},アカウント{0}は会社{1}に属していません,
 Account {0} does not exists in the dashboard chart {1},アカウント{0}はダッシュボードチャート{1}に存在しません,
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,アカウント: <b>{0}</b>は進行中の資本であり、仕訳入力では更新できません,
 Account: {0} is not permitted under Payment Entry,アカウント:{0}は支払いエントリでは許可されていません,
@@ -3582,7 +3567,6 @@
 Activity,活動,
 Add / Manage Email Accounts.,メールアカウントの追加/管理,
 Add Child,子を追加,
-Add Loan Security,ローンセキュリティの追加,
 Add Multiple,複数追加,
 Add Participants,参加者を追加,
 Add to Featured Item,注目アイテムに追加,
@@ -3593,15 +3577,12 @@
 Address Line 1,住所 1行目,
 Addresses,住所,
 Admission End Date should be greater than Admission Start Date.,入場終了日は入場開始日よりも大きくする必要があります。,
-Against Loan,ローンに対して,
-Against Loan:,ローンに対して:,
 All,すべて,
 All bank transactions have been created,すべての銀行取引が登録されました,
 All the depreciations has been booked,すべての減価償却が予約されました,
 Allocation Expired!,割り当てが期限切れです!,
 Allow Resetting Service Level Agreement from Support Settings.,サポート設定からのサービスレベルアグリーメントのリセットを許可します。,
 Amount of {0} is required for Loan closure,ローン閉鎖には{0}の金額が必要です,
-Amount paid cannot be zero,支払額をゼロにすることはできません,
 Applied Coupon Code,適用されたクーポンコード,
 Apply Coupon Code,クーポンコードを適用,
 Appointment Booking,予定の予約,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,ドライバーの住所が見つからないため、到着時間を計算できません。,
 Cannot Optimize Route as Driver Address is Missing.,ドライバーの住所が見つからないため、ルートを最適化できません。,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,依存タスク{1}が未完了/キャンセルされていないため、タスク{0}を完了できません。,
-Cannot create loan until application is approved,申請が承認されるまでローンを作成できません,
 Cannot find a matching Item. Please select some other value for {0}.,一致する項目が見つかりません。 {0}のために他の値を選択してください。,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings",行{1}のアイテム{0}に対して{2}を超えて超過請求することはできません。超過請求を許可するには、アカウント設定で許可を設定してください,
 "Capacity Planning Error, planned start time can not be same as end time",容量計画エラー、計画された開始時間は終了時間と同じにはできません,
@@ -3812,20 +3792,9 @@
 Less Than Amount,金額未満,
 Liabilities,負債,
 Loading...,読み込んでいます...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,ローン額は、提案された証券によると、最大ローン額{0}を超えています,
 Loan Applications from customers and employees.,顧客および従業員からの融資申し込み。,
-Loan Disbursement,ローンの支払い,
 Loan Processes,ローンプロセス,
-Loan Security,ローンセキュリティ,
-Loan Security Pledge,ローン保証誓約,
-Loan Security Pledge Created : {0},ローン保証誓約の作成:{0},
-Loan Security Price,ローン保証価格,
-Loan Security Price overlapping with {0},ローンのセキュリティ価格が{0}と重複しています,
-Loan Security Unpledge,ローンのセキュリティ解除,
-Loan Security Value,ローンのセキュリティ価値,
 Loan Type for interest and penalty rates,利率とペナルティ率のローンタイプ,
-Loan amount cannot be greater than {0},ローン額は{0}を超えることはできません,
-Loan is mandatory,ローンは必須です,
 Loans,ローン,
 Loans provided to customers and employees.,顧客および従業員に提供されるローン。,
 Location,場所,
@@ -3894,7 +3863,6 @@
 Pay,支払,
 Payment Document Type,支払伝票タイプ,
 Payment Name,支払い名,
-Penalty Amount,ペナルティ額,
 Pending,保留,
 Performance,パフォーマンス,
 Period based On,に基づく期間,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,このアイテムを編集するには、Marketplaceユーザーとしてログインしてください。,
 Please login as a Marketplace User to report this item.,このアイテムを報告するには、Marketplaceユーザーとしてログインしてください。,
 Please select <b>Template Type</b> to download template,<b>テンプレートの種類</b>を選択して、 <b>テンプレート</b>をダウンロードしてください,
-Please select Applicant Type first,最初に申請者タイプを選択してください,
 Please select Customer first,最初に顧客を選択してください,
 Please select Item Code first,最初に商品コードを選択してください,
-Please select Loan Type for company {0},会社{0}のローンタイプを選択してください,
 Please select a Delivery Note,納品書を選択してください,
 Please select a Sales Person for item: {0},アイテムの営業担当者を選択してください:{0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',別のお支払い方法を選択してください。Stripe は通貨「{0}」での取引をサポートしていません,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},会社{0}のデフォルトの銀行口座を設定してください,
 Please specify,指定してください,
 Please specify a {0},{0}を指定してください,lead
-Pledge Status,誓約状況,
-Pledge Time,誓約時間,
 Printing,印刷,
 Priority,優先度,
 Priority has been changed to {0}.,優先順位が{0}に変更されました。,
@@ -3944,7 +3908,6 @@
 Processing XML Files,XMLファイルの処理,
 Profitability,収益性,
 Project,プロジェクト,
-Proposed Pledges are mandatory for secured Loans,担保ローンには提案された誓約が必須です,
 Provide the academic year and set the starting and ending date.,学年を入力し、開始日と終了日を設定します。,
 Public token is missing for this bank,この銀行の公開トークンがありません,
 Publish,公開,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,領収書には、サンプルの保持が有効になっているアイテムがありません。,
 Purchase Return,仕入返品,
 Qty of Finished Goods Item,完成品の数量,
-Qty or Amount is mandatroy for loan security,数量または金額はローン保証の義務,
 Quality Inspection required for Item {0} to submit,提出する商品{0}には品質検査が必要です,
 Quantity to Manufacture,製造数量,
 Quantity to Manufacture can not be zero for the operation {0},操作{0}の製造する数量をゼロにすることはできません,
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,免除日は参加日以上でなければなりません,
 Rename,名称変更,
 Rename Not Allowed,許可されていない名前の変更,
-Repayment Method is mandatory for term loans,タームローンには返済方法が必須,
-Repayment Start Date is mandatory for term loans,定期ローンの返済開始日は必須です,
 Report Item,レポートアイテム,
 Report this Item,このアイテムを報告する,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,外注の予約数量:外注品目を作成するための原材料の数量。,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},行({0}):{1}はすでに{2}で割引されています,
 Rows Added in {0},{0}に追加された行,
 Rows Removed in {0},{0}で削除された行,
-Sanctioned Amount limit crossed for {0} {1},{0} {1}の認可額の制限を超えました,
-Sanctioned Loan Amount already exists for {0} against company {1},会社{1}に対する{0}の認可済み融資額は既に存在します,
 Save,保存,
 Save Item,アイテムを保存,
 Saved Items,保存したアイテム,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,ユーザー{0}無効になっています,
 Users and Permissions,ユーザーと権限,
 Vacancies cannot be lower than the current openings,欠員は現在の開始より低くすることはできません,
-Valid From Time must be lesser than Valid Upto Time.,有効開始時間は有効終了時間よりも短くする必要があります。,
 Valuation Rate required for Item {0} at row {1},行{1}の品目{0}に必要な評価率,
 Values Out Of Sync,同期していない値,
 Vehicle Type is required if Mode of Transport is Road,交通機関が道路の場合は車種が必要,
@@ -4211,7 +4168,6 @@
 Add to Cart,カートに追加,
 Days Since Last Order,最終注文からの日数,
 In Stock,在庫中,
-Loan Amount is mandatory,ローン額は必須です,
 Mode Of Payment,支払方法,
 No students Found,生徒が見つかりません,
 Not in Stock,在庫にありません,
@@ -4240,7 +4196,6 @@
 Group by,グループ化,
 In stock,在庫あり,
 Item name,アイテム名,
-Loan amount is mandatory,ローン額は必須です,
 Minimum Qty,最小数量,
 More details,詳細,
 Nature of Supplies,供給の性質,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,完了した合計数量,
 Qty to Manufacture,製造数,
 Repay From Salary can be selected only for term loans,給与からの返済は、タームローンに対してのみ選択できます,
-No valid Loan Security Price found for {0},{0}の有効なローンセキュリティ価格が見つかりません,
-Loan Account and Payment Account cannot be same,ローン口座と支払い口座を同じにすることはできません,
-Loan Security Pledge can only be created for secured loans,ローン担保質は、担保付ローンに対してのみ作成できます,
 Social Media Campaigns,ソーシャルメディアキャンペーン,
 From Date can not be greater than To Date,開始日は終了日より大きくすることはできません,
 Please set a Customer linked to the Patient,患者にリンクされている顧客を設定してください,
@@ -6437,7 +6389,6 @@
 HR User,人事ユーザー,
 Appointment Letter,任命状,
 Job Applicant,求職者,
-Applicant Name,申請者名,
 Appointment Date,予約日,
 Appointment Letter Template,アポイントメントレターテンプレート,
 Body,体,
@@ -7059,99 +7010,12 @@
 Sync in Progress,進行中の同期,
 Hub Seller Name,ハブの販売者名,
 Custom Data,カスタムデータ,
-Member,メンバー,
-Partially Disbursed,部分的に支払わ,
-Loan Closure Requested,ローン閉鎖のリクエスト,
 Repay From Salary,給与から返済,
-Loan Details,ローン詳細,
-Loan Type,ローンの種類,
-Loan Amount,融資額,
-Is Secured Loan,担保付きローン,
-Rate of Interest (%) / Year,利子率(%)/年,
-Disbursement Date,支払い日,
-Disbursed Amount,支払額,
-Is Term Loan,タームローン,
-Repayment Method,返済方法,
-Repay Fixed Amount per Period,期間ごとの固定額を返済,
-Repay Over Number of Periods,期間数を超える返済,
-Repayment Period in Months,ヶ月間における償還期間,
-Monthly Repayment Amount,毎月返済額,
-Repayment Start Date,返済開始日,
-Loan Security Details,ローンセキュリティの詳細,
-Maximum Loan Value,最大ローン額,
-Account Info,アカウント情報,
-Loan Account,ローン口座,
-Interest Income Account,受取利息のアカウント,
-Penalty Income Account,ペナルティ収入勘定,
-Repayment Schedule,返済スケジュール,
-Total Payable Amount,総支払金額,
-Total Principal Paid,総プリンシパルペイド,
-Total Interest Payable,買掛金利息合計,
-Total Amount Paid,合計金額,
-Loan Manager,ローンマネージャー,
-Loan Info,ローン情報,
-Rate of Interest,金利,
-Proposed Pledges,提案された誓約,
-Maximum Loan Amount,最大融資額,
-Repayment Info,返済情報,
-Total Payable Interest,総支払利息,
-Against Loan ,ローンに対して,
-Loan Interest Accrual,貸付利息発生,
-Amounts,金額,
-Pending Principal Amount,保留中の元本金額,
-Payable Principal Amount,未払元本,
-Paid Principal Amount,支払った元本,
-Paid Interest Amount,支払利息額,
-Process Loan Interest Accrual,ローン利息発生額の処理,
-Repayment Schedule Name,返済スケジュール名,
 Regular Payment,定期支払い,
 Loan Closure,ローン閉鎖,
-Payment Details,支払詳細,
-Interest Payable,支払利息,
-Amount Paid,支払額,
-Principal Amount Paid,支払額,
-Repayment Details,返済の詳細,
-Loan Repayment Detail,ローン返済の詳細,
-Loan Security Name,ローンセキュリティ名,
-Unit Of Measure,測定単位,
-Loan Security Code,ローンセキュリティコード,
-Loan Security Type,ローンセキュリティタイプ,
-Haircut %,散髪率,
-Loan  Details,ローン詳細,
-Unpledged,約束されていない,
-Pledged,誓約,
-Partially Pledged,部分的に誓約,
-Securities,証券,
-Total Security Value,トータルセキュリティバリュー,
-Loan Security Shortfall,ローンのセキュリティ不足,
-Loan ,ローン,
-Shortfall Time,不足時間,
-America/New_York,アメリカ/ニューヨーク,
-Shortfall Amount,不足額,
-Security Value ,セキュリティ値,
-Process Loan Security Shortfall,プロセスローンのセキュリティ不足,
-Loan To Value Ratio,ローン対価値比率,
-Unpledge Time,約束時間,
-Loan Name,ローン名前,
 Rate of Interest (%) Yearly,利子率(%)年間,
-Penalty Interest Rate (%) Per Day,1日あたりの罰金利率(%),
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,返済が遅れた場合、ペナルティレートは保留中の利息に対して毎日課税されます。,
-Grace Period in Days,日単位の猶予期間,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,期日からローン返済が遅れた場合に違約金が請求されない日数,
-Pledge,誓約,
-Post Haircut Amount,散髪後の金額,
-Process Type,プロセスタイプ,
-Update Time,更新時間,
-Proposed Pledge,提案された誓約,
-Total Payment,お支払い総額,
-Balance Loan Amount,残高貸付額,
-Is Accrued,未収,
 Salary Slip Loan,給与スリップローン,
 Loan Repayment Entry,ローン返済エントリ,
-Sanctioned Loan Amount,認可されたローン額,
-Sanctioned Amount Limit,認可額の制限,
-Unpledge,誓約,
-Haircut,散髪,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,スケジュールを生成,
 Schedules,スケジュール,
@@ -7885,7 +7749,6 @@
 Update Series,シリーズ更新,
 Change the starting / current sequence number of an existing series.,既存のシリーズについて、開始/現在の連続番号を変更します。,
 Prefix,接頭辞,
-Current Value,現在の値,
 This is the number of the last created transaction with this prefix,この接頭辞が付いた最新の取引番号です,
 Update Series Number,シリーズ番号更新,
 Quotation Lost Reason,失注理由,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,アイテムごとに推奨される再注文レベル,
 Lead Details,リード詳細,
 Lead Owner Efficiency,リードオーナーの効率,
-Loan Repayment and Closure,ローンの返済と閉鎖,
-Loan Security Status,ローンのセキュリティステータス,
 Lost Opportunity,機会を失った,
 Maintenance Schedules,保守スケジュール,
 Material Requests for which Supplier Quotations are not created,サプライヤー見積が作成されていない資材要求,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},対象となるカウント:{0},
 Payment Account is mandatory,支払いアカウントは必須です,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.",チェックした場合、申告や証明の提出なしに所得税を計算する前に、全額が課税所得から差し引かれます。,
-Disbursement Details,支払いの詳細,
 Material Request Warehouse,資材依頼倉庫,
 Select warehouse for material requests,資材依頼用の倉庫を選択,
 Transfer Materials For Warehouse {0},倉庫{0}の転送資材,
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,未請求額を給与から返済する,
 Deduction from salary,給与からの控除,
 Expired Leaves,期限切れの葉,
-Reference No,参照番号,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,ヘアカットの割合は、ローン証券の市場価値と、そのローンの担保として使用された場合のそのローン証券に帰属する価値との差の割合です。,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,ローン・トゥ・バリュー・レシオは、質権設定された証券の価値に対するローン金額の比率を表します。これがいずれかのローンの指定された値を下回ると、ローンのセキュリティ不足がトリガーされます,
 If this is not checked the loan by default will be considered as a Demand Loan,これがチェックされていない場合、デフォルトでローンはデマンドローンと見なされます,
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,このアカウントは、借り手からのローン返済の予約と、借り手へのローンの支払いに使用されます。,
 This account is capital account which is used to allocate capital for loan disbursal account ,この口座は、ローン実行口座に資本を割り当てるために使用される資本口座です。,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},操作{0}は作業指示書{1}に属していません,
 Print UOM after Quantity,数量の後に単位を印刷する,
 Set default {0} account for perpetual inventory for non stock items,非在庫アイテムの永続的な在庫のデフォルトの{0}アカウントを設定します,
-Loan Security {0} added multiple times,ローンセキュリティ{0}が複数回追加されました,
-Loan Securities with different LTV ratio cannot be pledged against one loan,LTVレシオの異なるローン証券は1つのローンに対して差し入れることはできません,
-Qty or Amount is mandatory for loan security!,ローンの担保には、数量または金額が必須です。,
-Only submittted unpledge requests can be approved,提出された誓約解除リクエストのみが承認されます,
-Interest Amount or Principal Amount is mandatory,利息額または元本額は必須です,
-Disbursed Amount cannot be greater than {0},支払額は{0}を超えることはできません,
-Row {0}: Loan Security {1} added multiple times,行{0}:ローンセキュリティ{1}が複数回追加されました,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,行#{0}:子アイテムは商品バンドルであってはなりません。アイテム{1}を削除して保存してください,
 Credit limit reached for customer {0},顧客{0}の与信限度額に達しました,
 Could not auto create Customer due to the following missing mandatory field(s):,次の必須フィールドがないため、顧客を自動作成できませんでした。,
diff --git a/erpnext/translations/km.csv b/erpnext/translations/km.csv
index 41e239d..0776994 100644
--- a/erpnext/translations/km.csv
+++ b/erpnext/translations/km.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","អាចអនុវត្តបានប្រសិនបើក្រុមហ៊ុននេះជា SpA, SApA ឬ SRL ។",
 Applicable if the company is a limited liability company,អាចអនុវត្តបានប្រសិនបើក្រុមហ៊ុនជាក្រុមហ៊ុនទទួលខុសត្រូវមានកម្រិត។,
 Applicable if the company is an Individual or a Proprietorship,អាចអនុវត្តបានប្រសិនបើក្រុមហ៊ុននេះជាបុគ្គលឬជាកម្មសិទ្ធិ។,
-Applicant,បេក្ខជន,
-Applicant Type,ប្រភេទបេក្ខជន,
 Application of Funds (Assets),កម្មវិធីរបស់មូលនិធិ (ទ្រព្យសកម្ម),
 Application period cannot be across two allocation records,អំឡុងពេលដាក់ពាក្យស្នើសុំមិនអាចឆ្លងកាត់កំណត់ត្រាបែងចែកពីរ,
 Application period cannot be outside leave allocation period,រយៈពេលប្រើប្រាស់មិនអាចមានការបែងចែកការឈប់សម្រាកនៅខាងក្រៅក្នុងរយៈពេល,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,បញ្ជីឈ្មោះម្ចាស់ហ៊ុនដែលមានលេខទូរស័ព្ទ,
 Loading Payment System,កំពុងផ្ទុកប្រព័ន្ធទូទាត់,
 Loan,ឥណទាន,
-Loan Amount cannot exceed Maximum Loan Amount of {0},ចំនួនទឹកប្រាក់កម្ចីមិនអាចលើសពីចំនួនទឹកប្រាក់កម្ចីអតិបរមានៃ {0},
-Loan Application,ពាក្យស្នើសុំឥណទាន,
-Loan Management,ការគ្រប់គ្រងប្រាក់កម្ចី,
-Loan Repayment,ការទូទាត់សងប្រាក់កម្ចី,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,កាលបរិច្ឆេទចាប់ផ្តើមប្រាក់កម្ចីនិងរយៈពេលប្រាក់កម្ចីគឺចាំបាច់ដើម្បីរក្សាទុកការបញ្ចុះតម្លៃវិក្កយបត្រ។,
 Loans (Liabilities),ការផ្តល់ប្រាក់កម្ចី (បំណុល),
 Loans and Advances (Assets),ឥណទាននិងបុរេប្រទាន (ទ្រព្យសម្បត្តិ),
@@ -1611,7 +1605,6 @@
 Monday,កាលពីថ្ងៃចន្ទ,
 Monthly,ប្រចាំខែ,
 Monthly Distribution,ចែកចាយប្រចាំខែ,
-Monthly Repayment Amount cannot be greater than Loan Amount,ចំនួនទឹកប្រាក់ដែលត្រូវសងប្រចាំខែមិនអាចត្រូវបានធំជាងចំនួនទឹកប្រាក់ឥណទាន,
 More,ច្រើនទៀត,
 More Information,ព័ត៌មានបន្ថែម,
 More than one selection for {0} not allowed,ជម្រើសច្រើនជាងមួយសម្រាប់ {0} មិនត្រូវបានអនុញ្ញាតទេ។,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},បង់ {0} {1},
 Payable,បង់,
 Payable Account,គណនីត្រូវបង់,
-Payable Amount,ចំនួនទឹកប្រាក់ដែលត្រូវបង់។,
 Payment,ការទូទាត់,
 Payment Cancelled. Please check your GoCardless Account for more details,បានបោះបង់ការបង់ប្រាក់។ សូមពិនិត្យមើលគណនី GoCardless របស់អ្នកសម្រាប់ព័ត៌មានលម្អិត,
 Payment Confirmation,ការបញ្ជាក់ការទូទាត់,
-Payment Date,កាលបរិច្ឆេទការទូទាត់,
 Payment Days,ថ្ងៃការទូទាត់,
 Payment Document,ឯកសារការទូទាត់,
 Payment Due Date,ការទូទាត់កាលបរិច្ឆេទ,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,សូមបញ្ចូលបង្កាន់ដៃទិញលើកដំបូង,
 Please enter Receipt Document,សូមបញ្ចូលឯកសារបង្កាន់ដៃ,
 Please enter Reference date,សូមបញ្ចូលកាលបរិច្ឆេទយោង,
-Please enter Repayment Periods,សូមបញ្ចូលរយៈពេលសងប្រាក់,
 Please enter Reqd by Date,សូមបញ្ចូល Reqd តាមកាលបរិច្ឆេទ,
 Please enter Woocommerce Server URL,សូមបញ្ចូលអាសយដ្ឋានម៉ាស៊ីនបម្រើ Woocommerce,
 Please enter Write Off Account,សូមបញ្ចូលបិទសរសេរគណនី,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,សូមបញ្ចូលមជ្ឈមណ្ឌលចំណាយឪពុកម្តាយ,
 Please enter quantity for Item {0},សូមបញ្ចូលបរិមាណសម្រាប់ធាតុ {0},
 Please enter relieving date.,សូមបញ្ចូលកាលបរិច្ឆេទបន្ថយ។,
-Please enter repayment Amount,សូមបញ្ចូលចំនួនទឹកប្រាក់ដែលការទូទាត់សង,
 Please enter valid Financial Year Start and End Dates,សូមបញ្ចូលឆ្នាំដែលមានសុពលភាពហិរញ្ញវត្ថុកាលបរិច្ឆេទចាប់ផ្ដើមនិងបញ្ចប់,
 Please enter valid email address,សូមបញ្ចូលអាសយដ្ឋានអ៊ីមែលត្រឹមត្រូវ,
 Please enter {0} first,សូមបញ្ចូល {0} ដំបូង,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,ក្បួនកំណត់តម្លៃត្រូវបានត្រងបន្ថែមទៀតដោយផ្អែកលើបរិមាណ។,
 Primary Address Details,ព័ត៌មានលំអិតអាស័យដ្ឋានបឋម,
 Primary Contact Details,ព័ត៌មានលម្អិតទំនាក់ទំនងចម្បង,
-Principal Amount,ប្រាក់ដើម,
 Print Format,ការបោះពុម្ពទ្រង់ទ្រាយ,
 Print IRS 1099 Forms,បោះពុម្ពទម្រង់ IRS 1099 ។,
 Print Report Card,បោះពុម្ពរបាយការណ៍កាត,
@@ -2550,7 +2538,6 @@
 Sample Collection,ការប្រមូលគំរូ,
 Sample quantity {0} cannot be more than received quantity {1},បរិមាណគំរូ {0} មិនអាចច្រើនជាងបរិមាណដែលទទួលបាននោះទេ {1},
 Sanctioned,អនុញ្ញាត,
-Sanctioned Amount,ចំនួនទឹកប្រាក់ដែលបានអនុញ្ញាត,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ចំនួនទឹកប្រាក់បានអនុញ្ញាតមិនអាចជាចំនួនទឹកប្រាក់ធំជាងក្នុងជួរដេកណ្តឹងទាមទារសំណង {0} ។,
 Sand,ខ្សាច់,
 Saturday,ថ្ងៃសៅរ៍,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} មាននីតិវិធីឪពុកម្តាយរួចហើយ {1} ។,
 API,API,
 Annual,ប្រចាំឆ្នាំ,
-Approved,បានអនុម័ត,
 Change,ការផ្លាស់ប្តូរ,
 Contact Email,ទំនាក់ទំនងតាមអ៊ីមែល,
 Export Type,នាំចេញប្រភេទ,
@@ -3571,7 +3557,6 @@
 Account Value,តម្លៃគណនី,
 Account is mandatory to get payment entries,គណនីគឺចាំបាច់ដើម្បីទទួលបានធាតុបង់ប្រាក់,
 Account is not set for the dashboard chart {0},គណនីមិនត្រូវបានកំណត់សម្រាប់ផ្ទាំងព័ត៌មានផ្ទាំងគ្រប់គ្រង {0},
-Account {0} does not belong to company {1},គណនី {0} មិនមែនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន {1},
 Account {0} does not exists in the dashboard chart {1},គណនី {0} មិនមាននៅក្នុងតារាងផ្ទាំងគ្រប់គ្រង {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,គណនី៖ <b>{០}</b> គឺជាដើមទុនការងារកំពុងដំណើរការហើយមិនអាចធ្វើបច្ចុប្បន្នភាពដោយទិនានុប្បវត្តិចូលបានទេ,
 Account: {0} is not permitted under Payment Entry,គណនី៖ {០} មិនត្រូវបានអនុញ្ញាតនៅក្រោមការបង់ប្រាក់,
@@ -3582,7 +3567,6 @@
 Activity,សកម្មភាព,
 Add / Manage Email Accounts.,បន្ថែម / គ្រប់គ្រងគណនីអ៊ីម៉ែល។,
 Add Child,បន្ថែមកុមារ,
-Add Loan Security,បន្ថែមសន្តិសុខឥណទាន,
 Add Multiple,បន្ថែមច្រើន,
 Add Participants,បន្ថែមអ្នកចូលរួម,
 Add to Featured Item,បន្ថែមទៅធាតុពិសេស។,
@@ -3593,15 +3577,12 @@
 Address Line 1,អាសយដ្ឋានបន្ទាត់ 1,
 Addresses,អាសយដ្ឋាន,
 Admission End Date should be greater than Admission Start Date.,កាលបរិច្ឆេទបញ្ចប់ការចូលរៀនគួរតែធំជាងកាលបរិច្ឆេទចាប់ផ្តើមចូលរៀន។,
-Against Loan,ប្រឆាំងនឹងប្រាក់កម្ចី,
-Against Loan:,ប្រឆាំងនឹងប្រាក់កម្ចី៖,
 All,ទាំងអស់,
 All bank transactions have been created,ប្រតិបត្តិការធនាគារទាំងអស់ត្រូវបានបង្កើតឡើង។,
 All the depreciations has been booked,រាល់ការរំលោះត្រូវបានកក់។,
 Allocation Expired!,ការបែងចែកផុតកំណត់!,
 Allow Resetting Service Level Agreement from Support Settings.,អនុញ្ញាតឱ្យកំណត់កិច្ចព្រមព្រៀងកម្រិតសេវាកម្មឡើងវិញពីការកំណត់គាំទ្រ។,
 Amount of {0} is required for Loan closure,ចំនួនទឹកប្រាក់នៃ {0} ត្រូវបានទាមទារសម្រាប់ការបិទប្រាក់កម្ចី,
-Amount paid cannot be zero,ចំនួនទឹកប្រាក់ដែលបានបង់មិនអាចជាសូន្យទេ,
 Applied Coupon Code,អនុវត្តលេខកូដគូប៉ុង,
 Apply Coupon Code,អនុវត្តលេខកូដគូប៉ុង,
 Appointment Booking,ការកក់ការណាត់ជួប,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,មិនអាចគណនាពេលវេលាមកដល់បានទេព្រោះអាស័យដ្ឋានអ្នកបើកបរបាត់។,
 Cannot Optimize Route as Driver Address is Missing.,មិនអាចបង្កើនប្រសិទ្ធភាពផ្លូវព្រោះអាសយដ្ឋានរបស់អ្នកបើកបរបាត់។,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,មិនអាចបំពេញការងារ {០} បានទេព្រោះការងារដែលពឹងផ្អែករបស់ខ្លួន {១} មិនត្រូវបានបង្ហើយ / លុបចោលទេ។,
-Cannot create loan until application is approved,មិនអាចបង្កើតប្រាក់កម្ចីបានទេរហូតដល់មានការយល់ព្រម,
 Cannot find a matching Item. Please select some other value for {0}.,មិនអាចរកឃើញធាតុផ្គូផ្គងជាមួយ។ សូមជ្រើសតម្លៃមួយចំនួនផ្សេងទៀតសម្រាប់ {0} ។,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings",មិនអាចលើសថ្លៃសម្រាប់ធាតុ {0} ក្នុងជួរ {1} លើសពី {2} ។ ដើម្បីអនុញ្ញាតវិក័យប័ត្រលើសសូមកំណត់ប្រាក់ឧបត្ថម្ភនៅក្នុងការកំណត់គណនី,
 "Capacity Planning Error, planned start time can not be same as end time",កំហុសក្នុងការរៀបចំផែនការសមត្ថភាពពេលវេលាចាប់ផ្តើមដែលបានគ្រោងទុកមិនអាចដូចគ្នានឹងពេលវេលាបញ្ចប់ទេ,
@@ -3812,20 +3792,9 @@
 Less Than Amount,តិចជាងចំនួនទឹកប្រាក់។,
 Liabilities,បំណុល។,
 Loading...,កំពុងផ្ទុក ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,ចំនួនប្រាក់កម្ចីមានចំនួនលើសពីចំនួនប្រាក់កម្ចីអតិបរិមានៃ {០} យោងតាមមូលបត្រដែលបានស្នើសុំ,
 Loan Applications from customers and employees.,ពាក្យសុំកំចីពីអតិថិជននិងនិយោជិក។,
-Loan Disbursement,ការផ្តល់ប្រាក់កម្ចី,
 Loan Processes,ដំណើរការកំចី,
-Loan Security,សន្តិសុខឥណទាន,
-Loan Security Pledge,ការសន្យាផ្តល់ប្រាក់កម្ចី,
-Loan Security Pledge Created : {0},ការសន្យាផ្តល់ប្រាក់កម្ចីត្រូវបានបង្កើត: {០},
-Loan Security Price,តម្លៃសេវាប្រាក់កម្ចី,
-Loan Security Price overlapping with {0},ថ្លៃសេវាកំចីលើកំចីលើកំចីជាមួយ {0},
-Loan Security Unpledge,ការធានាសុវត្ថិភាពប្រាក់កម្ចី,
-Loan Security Value,តម្លៃសុវត្ថិភាពប្រាក់កម្ចី,
 Loan Type for interest and penalty rates,ប្រភេទប្រាក់កម្ចីសម្រាប់ការប្រាក់និងអត្រាការប្រាក់,
-Loan amount cannot be greater than {0},ចំនួនប្រាក់កម្ចីមិនអាចធំជាង {0},
-Loan is mandatory,ប្រាក់កម្ចីគឺជាកាតព្វកិច្ច,
 Loans,ប្រាក់កម្ចី។,
 Loans provided to customers and employees.,ប្រាក់កម្ចីត្រូវបានផ្តល់ជូនអតិថិជននិងនិយោជិក។,
 Location,ទីតាំង,
@@ -3894,7 +3863,6 @@
 Pay,បង់ប្រាក់,
 Payment Document Type,ប្រភេទឯកសារបង់ប្រាក់។,
 Payment Name,ឈ្មោះទូទាត់ប្រាក់។,
-Penalty Amount,ចំនួនទឹកប្រាក់ពិន័យ,
 Pending,ឡុងេពល,
 Performance,ការសម្តែង។,
 Period based On,រយៈពេលផ្អែកលើ។,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,សូមចូលជាអ្នកប្រើប្រាស់ទីផ្សារដើម្បីកែសម្រួលធាតុនេះ។,
 Please login as a Marketplace User to report this item.,សូមចូលជាអ្នកប្រើប្រាស់ទីផ្សារដើម្បីរាយការណ៍អំពីធាតុនេះ។,
 Please select <b>Template Type</b> to download template,សូមជ្រើសរើស <b>ប្រភេទគំរូ</b> ដើម្បីទាញយកគំរូ,
-Please select Applicant Type first,សូមជ្រើសរើសប្រភេទអ្នកដាក់ពាក្យជាមុនសិន,
 Please select Customer first,សូមជ្រើសរើសអតិថិជនជាមុនសិន។,
 Please select Item Code first,សូមជ្រើសរើសលេខកូដ Item ជាមុនសិន,
-Please select Loan Type for company {0},សូមជ្រើសរើសប្រភេទកំចីសំរាប់ក្រុមហ៊ុន {0},
 Please select a Delivery Note,សូមជ្រើសរើសកំណត់ត្រាដឹកជញ្ជូន។,
 Please select a Sales Person for item: {0},សូមជ្រើសរើសបុគ្គលិកផ្នែកលក់សម្រាប់ទំនិញ៖ {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',សូមជ្រើសវិធីសាស្ត្រទូទាត់ផ្សេងទៀត។ ឆ្នូតមិនគាំទ្រការតិបត្តិការនៅក្នុងរូបិយប័ណ្ណ &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},សូមរៀបចំគណនីធនាគារលំនាំដើមសម្រាប់ក្រុមហ៊ុន {0},
 Please specify,សូមបញ្ជាក់,
 Please specify a {0},សូមបញ្ជាក់ {0},lead
-Pledge Status,ស្ថានភាពសន្យា,
-Pledge Time,ពេលវេលាសន្យា,
 Printing,ការបោះពុម្ព,
 Priority,អាទិភាព,
 Priority has been changed to {0}.,អាទិភាពត្រូវបានផ្លាស់ប្តូរទៅ {0} ។,
@@ -3944,7 +3908,6 @@
 Processing XML Files,ដំណើរការឯកសារ XML,
 Profitability,ផលចំណេញ។,
 Project,គម្រោង,
-Proposed Pledges are mandatory for secured Loans,កិច្ចសន្យាដែលបានស្នើសុំគឺចាំបាច់សម្រាប់ប្រាក់កម្ចីមានសុវត្ថិភាព,
 Provide the academic year and set the starting and ending date.,ផ្តល់ឆ្នាំសិក្សានិងកំណត់កាលបរិច្ឆេទចាប់ផ្តើមនិងបញ្ចប់។,
 Public token is missing for this bank,បាត់ថូខឹនសាធារណៈសម្រាប់ធនាគារនេះ។,
 Publish,ផ្សាយ,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,វិក័យប័ត្រទិញមិនមានធាតុដែលអាចរកបានគំរូ។,
 Purchase Return,ត្រឡប់ទិញ,
 Qty of Finished Goods Item,Qty នៃទំនិញដែលបានបញ្ចប់។,
-Qty or Amount is mandatroy for loan security,Qty ឬចំនួនទឹកប្រាក់គឺជាកាតព្វកិច្ចសម្រាប់សុវត្ថិភាពប្រាក់កម្ចី,
 Quality Inspection required for Item {0} to submit,ទាមទារការត្រួតពិនិត្យគុណភាពសម្រាប់ធាតុ {0} ដើម្បីដាក់ស្នើ។,
 Quantity to Manufacture,បរិមាណផលិតកម្ម,
 Quantity to Manufacture can not be zero for the operation {0},បរិមាណនៃការផលិតមិនអាចជាសូន្យសម្រាប់ប្រតិបត្តិការ {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,កាលបរិច្ឆេទដែលទុកចិត្តត្រូវតែធំជាងឬស្មើកាលបរិច្ឆេទនៃការចូលរួម,
 Rename,ប្តូរឈ្មោះ,
 Rename Not Allowed,មិនប្តូរឈ្មោះមិនអនុញ្ញាត។,
-Repayment Method is mandatory for term loans,វិធីសាស្រ្តទូទាត់សងគឺចាំបាច់សម្រាប់ប្រាក់កម្ចីរយៈពេល,
-Repayment Start Date is mandatory for term loans,កាលបរិច្ឆេទចាប់ផ្តើមសងគឺចាំបាច់សម្រាប់ប្រាក់កម្ចីមានកាលកំណត់,
 Report Item,រាយការណ៍អំពីធាតុ។,
 Report this Item,រាយការណ៍ពីធាតុនេះ,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Qty ដែលបានបម្រុងទុកសម្រាប់កិច្ចសន្យារង៖ បរិមាណវត្ថុធាតុដើមដើម្បីផលិតរបស់របរជាប់កិច្ចសន្យា។,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},ជួរដេក ({០})៖ {១} ត្រូវបានបញ្ចុះរួចហើយនៅក្នុង {២},
 Rows Added in {0},បានបន្ថែមជួរដេកក្នុង {0},
 Rows Removed in {0},បានលុបជួរដេកចេញក្នុង {0},
-Sanctioned Amount limit crossed for {0} {1},ដែនកំណត់ចំនួនទឹកប្រាក់ដែលត្រូវបានកាត់ចេញសម្រាប់ {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},ចំនួនប្រាក់កម្ចីដែលត្រូវបានដាក់ទណ្ឌកម្មមានរួចហើយសម្រាប់ {0} ប្រឆាំងនឹងក្រុមហ៊ុន {1},
 Save,រក្សាទុក,
 Save Item,រក្សាទុកធាតុ។,
 Saved Items,ធាតុបានរក្សាទុក។,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,ប្រើ {0} ត្រូវបានបិទ,
 Users and Permissions,អ្នកប្រើនិងសិទ្ធិ,
 Vacancies cannot be lower than the current openings,ដំណឹងជ្រើសរើសបុគ្គលិកមិនអាចទាបជាងការបើកបច្ចុប្បន្នទេ។,
-Valid From Time must be lesser than Valid Upto Time.,មានសុពលភាពពីពេលវេលាត្រូវតែតិចជាងពេលវេលាដែលមានសុពលភាព Upto ។,
 Valuation Rate required for Item {0} at row {1},អត្រាវាយតំលៃដែលត្រូវការសំរាប់មុខទំនិញ {0} នៅជួរទី {1},
 Values Out Of Sync,គុណតម្លៃក្រៅសមកាលកម្ម,
 Vehicle Type is required if Mode of Transport is Road,ប្រភេទយានយន្តត្រូវមានប្រសិនបើប្រភេទនៃការដឹកជញ្ជូនតាមផ្លូវ។,
@@ -4211,7 +4168,6 @@
 Add to Cart,បញ្ចូលទៅក្នុងរទេះ,
 Days Since Last Order,ថ្ងៃចាប់តាំងពីការបញ្ជាទិញចុងក្រោយ,
 In Stock,នៅក្នុងផ្សារ,
-Loan Amount is mandatory,ចំនួនប្រាក់កម្ចីគឺជាកាតព្វកិច្ច,
 Mode Of Payment,របៀបបង់ប្រាក់,
 No students Found,រកមិនឃើញនិស្សិត,
 Not in Stock,មិនមែននៅក្នុងផ្សារ,
@@ -4240,7 +4196,6 @@
 Group by,ក្រុមតាម,
 In stock,នៅក្នុងស្តុក,
 Item name,ឈ្មោះធាតុ,
-Loan amount is mandatory,ចំនួនប្រាក់កម្ចីគឺជាកាតព្វកិច្ច,
 Minimum Qty,ចំនួនអប្បបរមា,
 More details,លម្អិតបន្ថែមទៀត,
 Nature of Supplies,ធម្មជាតិនៃការផ្គត់ផ្គង់។,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,ចំនួនសរុបបានបញ្ចប់ Qty ។,
 Qty to Manufacture,qty ដើម្បីផលិត,
 Repay From Salary can be selected only for term loans,ទូទាត់សងពីប្រាក់ខែអាចត្រូវបានជ្រើសរើសសម្រាប់តែប្រាក់កម្ចីរយៈពេលប៉ុណ្ណោះ,
-No valid Loan Security Price found for {0},រកមិនឃើញតម្លៃសុវត្ថិភាពឥណទានត្រឹមត្រូវសម្រាប់ {0},
-Loan Account and Payment Account cannot be same,គណនីប្រាក់កម្ចីនិងគណនីបង់ប្រាក់មិនអាចដូចគ្នាទេ,
-Loan Security Pledge can only be created for secured loans,ការសន្យាផ្តល់ប្រាក់កម្ចីអាចត្រូវបានបង្កើតឡើងសម្រាប់តែប្រាក់កម្ចីមានសុវត្ថិភាព,
 Social Media Campaigns,យុទ្ធនាការប្រព័ន្ធផ្សព្វផ្សាយសង្គម,
 From Date can not be greater than To Date,ពីកាលបរិច្ឆេទមិនអាចធំជាងកាលបរិច្ឆេទ,
 Please set a Customer linked to the Patient,សូមកំណត់អតិថិជនដែលភ្ជាប់ទៅនឹងអ្នកជម្ងឺ,
@@ -6437,7 +6389,6 @@
 HR User,ធនធានមនុស្សរបស់អ្នកប្រើប្រាស់,
 Appointment Letter,សំបុត្រណាត់ជួប,
 Job Applicant,ការងារដែលអ្នកដាក់ពាក្យសុំ,
-Applicant Name,ឈ្មោះកម្មវិធី,
 Appointment Date,កាលបរិច្ឆេទណាត់ជួប,
 Appointment Letter Template,គំរូលិខិតណាត់ជួប,
 Body,រាងកាយ,
@@ -7059,99 +7010,12 @@
 Sync in Progress,ធ្វើសមកាលកម្មក្នុងដំណើរការ,
 Hub Seller Name,ឈ្មោះអ្នកលក់ហាប់,
 Custom Data,ទិន្នន័យផ្ទាល់ខ្លួន,
-Member,សមាជិក,
-Partially Disbursed,ផ្តល់ឱ្រយអតិថិជនដោយផ្នែក,
-Loan Closure Requested,ស្នើសុំបិទការផ្តល់ប្រាក់កម្ចី,
 Repay From Salary,សងពីប្រាក់ខែ,
-Loan Details,សេចក្ដីលម្អិតប្រាក់កម្ចី,
-Loan Type,ប្រភេទសេវាឥណទាន,
-Loan Amount,ចំនួនប្រាក់កម្ចី,
-Is Secured Loan,គឺជាប្រាក់កម្ចីមានសុវត្ថិភាព,
-Rate of Interest (%) / Year,អត្រានៃការប្រាក់ (%) / ឆ្នាំ,
-Disbursement Date,កាលបរិច្ឆេទបញ្ចេញឥណទាន,
-Disbursed Amount,ចំនួនទឹកប្រាក់ដែលបានផ្តល់ឱ្យ,
-Is Term Loan,គឺជាប្រាក់កម្ចីមានកាលកំណត់,
-Repayment Method,វិធីសាស្រ្តការទូទាត់សង,
-Repay Fixed Amount per Period,សងចំនួនថេរក្នុងមួយរយៈពេល,
-Repay Over Number of Periods,សងចំនួនជាងនៃរយៈពេល,
-Repayment Period in Months,រយៈពេលសងប្រាក់ក្នុងខែ,
-Monthly Repayment Amount,ចំនួនទឹកប្រាក់សងប្រចាំខែ,
-Repayment Start Date,ថ្ងៃចាប់ផ្តើមសង,
-Loan Security Details,ព័ត៌មានលម្អិតអំពីប្រាក់កម្ចី,
-Maximum Loan Value,តម្លៃប្រាក់កម្ចីអតិបរមា,
-Account Info,ព័តគណនី,
-Loan Account,គណនីប្រាក់កម្ចី,
-Interest Income Account,គណនីប្រាក់ចំណូលការប្រាក់,
-Penalty Income Account,គណនីប្រាក់ចំណូលពិន័យ,
-Repayment Schedule,កាលវិភាគសងប្រាក់,
-Total Payable Amount,ចំនួនទឹកប្រាក់ដែលត្រូវបង់សរុប,
-Total Principal Paid,ប្រាក់ខែសរុបរបស់នាយកសាលា,
-Total Interest Payable,ការប្រាក់ត្រូវបង់សរុប,
-Total Amount Paid,ចំនួនទឹកប្រាក់សរុបបង់,
-Loan Manager,អ្នកគ្រប់គ្រងប្រាក់កម្ចី,
-Loan Info,ព័តមានប្រាក់កម្ចី,
-Rate of Interest,អត្រាការប្រាក់,
-Proposed Pledges,ពាក្យសន្យាដែលបានស្នើ,
-Maximum Loan Amount,ចំនួនទឹកប្រាក់កម្ចីអតិបរមា,
-Repayment Info,ព័តសងប្រាក់,
-Total Payable Interest,ការប្រាក់ត្រូវបង់សរុប,
-Against Loan ,ប្រឆាំងនឹងប្រាក់កម្ចី,
-Loan Interest Accrual,អត្រាការប្រាក់កម្ចី,
-Amounts,បរិមាណ,
-Pending Principal Amount,ចំនួនប្រាក់ដើមដែលនៅសល់,
-Payable Principal Amount,ចំនួនទឹកប្រាក់ដែលនាយកសាលាត្រូវបង់,
-Paid Principal Amount,ចំនួនទឹកប្រាក់នាយកសាលាដែលបានបង់,
-Paid Interest Amount,ចំនួនទឹកប្រាក់ការប្រាក់ដែលបានបង់,
-Process Loan Interest Accrual,ដំណើរការការប្រាក់កម្ចីមានចំនួនកំណត់,
-Repayment Schedule Name,ឈ្មោះកាលវិភាគសងប្រាក់,
 Regular Payment,ការទូទាត់ទៀងទាត់,
 Loan Closure,ការបិទប្រាក់កម្ចី,
-Payment Details,សេចក្ដីលម្អិតការបង់ប្រាក់,
-Interest Payable,ការប្រាក់ត្រូវបង់,
-Amount Paid,ចំនួនទឹកប្រាក់ដែលបង់,
-Principal Amount Paid,ប្រាក់ដើមចម្បង,
-Repayment Details,ព័ត៌មានលម្អិតការទូទាត់សង,
-Loan Repayment Detail,ព័ត៌មានលំអិតនៃការសងប្រាក់កម្ចី,
-Loan Security Name,ឈ្មោះសុវត្ថិភាពប្រាក់កម្ចី,
-Unit Of Measure,ឯកតារង្វាស់,
-Loan Security Code,កូដសុវត្ថិភាពប្រាក់កម្ចី,
-Loan Security Type,ប្រភេទសុវត្ថិភាពប្រាក់កម្ចី,
-Haircut %,កាត់សក់%,
-Loan  Details,ព័ត៌មានលំអិតប្រាក់កម្ចី,
-Unpledged,គ្មានការគ្រោងទុក,
-Pledged,បានសន្យា,
-Partially Pledged,ការសន្យាផ្នែកខ្លះ,
-Securities,មូលបត្រ,
-Total Security Value,តម្លៃសន្តិសុខសរុប,
-Loan Security Shortfall,កង្វះខាតប្រាក់កម្ចី,
-Loan ,ឥណទាន,
-Shortfall Time,ពេលវេលាខ្វះខាត,
-America/New_York,អាមេរិក / ញូវយ៉ក,
-Shortfall Amount,ចំនួនខ្វះខាត,
-Security Value ,តម្លៃសុវត្ថិភាព,
-Process Loan Security Shortfall,កង្វះខាតឥណទានសម្រាប់ដំណើរការ,
-Loan To Value Ratio,សមាមាត្រប្រាក់កម្ចី,
-Unpledge Time,មិនបង្ហាញពេលវេលា,
-Loan Name,ឈ្មោះសេវាឥណទាន,
 Rate of Interest (%) Yearly,អត្រានៃការប្រាក់ (%) ប្រចាំឆ្នាំ,
-Penalty Interest Rate (%) Per Day,អត្រាការប្រាក់ពិន័យ (%) ក្នុងមួយថ្ងៃ,
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,អត្រាការប្រាក់ពិន័យត្រូវបានគិតតាមចំនួនការប្រាក់ដែលមិនទាន់បានបង់ជារៀងរាល់ថ្ងៃក្នុងករណីមានការសងយឺតយ៉ាវ,
-Grace Period in Days,រយៈពេលព្រះគុណនៅក្នុងថ្ងៃ,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,ចំនួនថ្ងៃចាប់ពីថ្ងៃកំណត់រហូតដល់ការពិន័យដែលមិនត្រូវបានចោទប្រកាន់ក្នុងករណីមានការពន្យាពេលក្នុងការសងប្រាក់កម្ចី,
-Pledge,សន្យា,
-Post Haircut Amount,ចំនួនកាត់សក់កាត់សក់,
-Process Type,ប្រភេទដំណើរការ,
-Update Time,ពេលវេលាធ្វើបច្ចុប្បន្នភាព,
-Proposed Pledge,សន្យាសន្យា,
-Total Payment,ការទូទាត់សរុប,
-Balance Loan Amount,តុល្យភាពប្រាក់កម្ចីចំនួនទឹកប្រាក់,
-Is Accrued,ត្រូវបានអនុម័ត,
 Salary Slip Loan,ប្រាក់កម្ចីប្រាក់កម្ចី,
 Loan Repayment Entry,ការបញ្ចូលប្រាក់កម្ចី,
-Sanctioned Loan Amount,ចំនួនប្រាក់កម្ចីដែលបានដាក់ទណ្ឌកម្ម,
-Sanctioned Amount Limit,ដែនកំណត់ចំនួនទឹកប្រាក់ដែលត្រូវបានដាក់ទណ្ឌកម្ម,
-Unpledge,មិនសន្យា,
-Haircut,កាត់សក់,
 MAT-MSH-.YYYY.-,MAT-MSH -YYYY.-,
 Generate Schedule,បង្កើតកាលវិភាគ,
 Schedules,កាលវិភាគ,
@@ -7885,7 +7749,6 @@
 Update Series,កម្រងឯកសារធ្វើឱ្យទាន់សម័យ,
 Change the starting / current sequence number of an existing series.,ផ្លាស់ប្តូរការចាប់ផ្តើមលេខលំដាប់ / នាពេលបច្ចុប្បន្ននៃស៊េរីដែលមានស្រាប់។,
 Prefix,បុព្វបទ,
-Current Value,តម្លៃបច្ចុប្បន្ន,
 This is the number of the last created transaction with this prefix,នេះជាចំនួននៃការប្រតិបត្តិការបង្កើតចុងក្រោយជាមួយបុព្វបទនេះ,
 Update Series Number,កម្រងឯកសារលេខធ្វើឱ្យទាន់សម័យ,
 Quotation Lost Reason,សម្រង់បាត់បង់មូលហេតុ,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise ផ្ដល់អនុសាសន៍រៀបចំវគ្គ,
 Lead Details,ពត៌មានលំអិតនាំមុខ,
 Lead Owner Efficiency,ប្រសិទ្ធភាពម្ចាស់ការនាំមុខ,
-Loan Repayment and Closure,ការសងប្រាក់កម្ចីនិងការបិទទ្វារ,
-Loan Security Status,ស្ថានភាពសុវត្ថិភាពប្រាក់កម្ចី,
 Lost Opportunity,បាត់បង់ឱកាស។,
 Maintenance Schedules,កាលវិភាគថែរក្សា,
 Material Requests for which Supplier Quotations are not created,សំណើសម្ភារៈដែលសម្រង់សម្តីផ្គត់ផ្គង់មិនត្រូវបានបង្កើត,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},ចំនួនគោលដៅ៖ {0},
 Payment Account is mandatory,គណនីទូទាត់គឺចាំបាច់,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.",ប្រសិនបើបានគូសធីកចំនួនទឹកប្រាក់សរុបនឹងត្រូវបានកាត់ចេញពីប្រាក់ចំណូលដែលអាចជាប់ពន្ធបានមុនពេលគណនាពន្ធលើប្រាក់ចំណូលដោយគ្មានការប្រកាសរឺការដាក់ភស្តុតាង។,
-Disbursement Details,ព័ត៌មានលម្អិតនៃការចែកចាយ,
 Material Request Warehouse,ឃ្លាំងស្នើសុំសម្ភារៈ,
 Select warehouse for material requests,ជ្រើសរើសឃ្លាំងសម្រាប់ការស្នើសុំសម្ភារៈ,
 Transfer Materials For Warehouse {0},ផ្ទេរសម្ភារៈសម្រាប់ឃ្លាំង {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,សងចំនួនទឹកប្រាក់ដែលមិនបានទាមទារពីប្រាក់ខែ,
 Deduction from salary,ការកាត់បន្ថយពីប្រាក់ខែ,
 Expired Leaves,ស្លឹកផុតកំណត់,
-Reference No,លេខយោងទេ,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,ភាគរយកាត់សក់គឺជាភាពខុសគ្នាជាភាគរយរវាងតម្លៃទីផ្សារនៃប្រាក់កម្ចីសន្តិសុខនិងតម្លៃដែលបានបញ្ចូលទៅនឹងសន្តិសុខឥណទាននៅពេលប្រើជាវត្ថុបញ្ចាំសម្រាប់ប្រាក់កម្ចីនោះ។,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,អនុបាតឥណទានធៀបនឹងតម្លៃបង្ហាញពីសមាមាត្រនៃចំនួនប្រាក់កម្ចីទៅនឹងតម្លៃនៃមូលប័ត្រដែលបានសន្យា។ កង្វះសន្តិសុខប្រាក់កម្ចីនឹងត្រូវបានបង្កឡើងប្រសិនបើវាស្ថិតនៅក្រោមតម្លៃដែលបានបញ្ជាក់សម្រាប់ប្រាក់កម្ចីណាមួយ,
 If this is not checked the loan by default will be considered as a Demand Loan,ប្រសិនបើនេះមិនត្រូវបានពិនិត្យប្រាក់កម្ចីតាមលំនាំដើមនឹងត្រូវបានចាត់ទុកថាជាប្រាក់កម្ចីតម្រូវការ,
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,គណនីនេះត្រូវបានប្រើសម្រាប់ការកក់ការសងប្រាក់កម្ចីពីអ្នកខ្ចីហើយថែមទាំងផ្តល់ប្រាក់កម្ចីដល់អ្នកខ្ចីផងដែរ,
 This account is capital account which is used to allocate capital for loan disbursal account ,គណនីនេះគឺជាគណនីដើមទុនដែលត្រូវបានប្រើដើម្បីបែងចែកដើមទុនសម្រាប់គណនីប្រាក់កម្ចី,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},ប្រតិបត្ដិការ {0} មិនមែនជារបស់បទបញ្ជាការងារ {1},
 Print UOM after Quantity,បោះពុម្ព UOM បន្ទាប់ពីបរិមាណ,
 Set default {0} account for perpetual inventory for non stock items,កំណត់គណនី {០} លំនាំដើមសម្រាប់បញ្ជីសារពើភណ្ឌសំរាប់ផលិតផលមិនមែនស្តុក,
-Loan Security {0} added multiple times,សន្តិសុខកំចី {0} បានបន្ថែមច្រើនដង,
-Loan Securities with different LTV ratio cannot be pledged against one loan,មូលប័ត្រប្រាក់កម្ចីដែលមានសមាមាត្រអិលធីអូខុសគ្នាមិនអាចសន្យានឹងប្រាក់កម្ចីតែមួយបានទេ,
-Qty or Amount is mandatory for loan security!,Qty ឬចំនួនទឹកប្រាក់គឺជាកាតព្វកិច្ចសម្រាប់សុវត្ថិភាពប្រាក់កម្ចី!,
-Only submittted unpledge requests can be approved,មានតែសំណើរដែលមិនបានសន្យាបញ្ជូនមកអាចត្រូវបានយល់ព្រម,
-Interest Amount or Principal Amount is mandatory,ចំនួនទឹកប្រាក់ការប្រាក់ឬចំនួនទឹកប្រាក់គោលគឺចាំបាច់,
-Disbursed Amount cannot be greater than {0},ចំនួនទឹកប្រាក់ដែលបានផ្តល់ជូនមិនអាចធំជាង {0},
-Row {0}: Loan Security {1} added multiple times,ជួរដេក {0}៖ សន្តិសុខប្រាក់កម្ចី {1} បានបន្ថែមច្រើនដង,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,ជួរដេក # {០}៖ របស់កុមារមិនគួរជាកញ្ចប់ផលិតផលទេ។ សូមលុបធាតុ {1} ហើយរក្សាទុក,
 Credit limit reached for customer {0},កំរិតឥណទានបានដល់អតិថិជន {0},
 Could not auto create Customer due to the following missing mandatory field(s):,មិនអាចបង្កើតអតិថិជនដោយស្វ័យប្រវត្តិដោយសារតែវាលចាំបាច់ដូចខាងក្រោមបាត់:,
diff --git a/erpnext/translations/kn.csv b/erpnext/translations/kn.csv
index 558c986..bc07051 100644
--- a/erpnext/translations/kn.csv
+++ b/erpnext/translations/kn.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","ಕಂಪನಿಯು ಎಸ್‌ಪಿಎ, ಎಸ್‌ಪಿಎ ಅಥವಾ ಎಸ್‌ಆರ್‌ಎಲ್ ಆಗಿದ್ದರೆ ಅನ್ವಯವಾಗುತ್ತದೆ",
 Applicable if the company is a limited liability company,ಕಂಪನಿಯು ಸೀಮಿತ ಹೊಣೆಗಾರಿಕೆ ಕಂಪನಿಯಾಗಿದ್ದರೆ ಅನ್ವಯಿಸುತ್ತದೆ,
 Applicable if the company is an Individual or a Proprietorship,ಕಂಪನಿಯು ವೈಯಕ್ತಿಕ ಅಥವಾ ಮಾಲೀಕತ್ವದಲ್ಲಿದ್ದರೆ ಅನ್ವಯಿಸುತ್ತದೆ,
-Applicant,ಅರ್ಜಿದಾರ,
-Applicant Type,ಅರ್ಜಿದಾರರ ಪ್ರಕಾರ,
 Application of Funds (Assets),ನಿಧಿಗಳು ಅಪ್ಲಿಕೇಶನ್ ( ಆಸ್ತಿಗಳು ),
 Application period cannot be across two allocation records,ಅಪ್ಲಿಕೇಶನ್ ಅವಧಿ ಎರಡು ಹಂಚಿಕೆ ದಾಖಲೆಗಳಾದ್ಯಂತ ಇರುವಂತಿಲ್ಲ,
 Application period cannot be outside leave allocation period,ಅಪ್ಲಿಕೇಶನ್ ಅವಧಿಯಲ್ಲಿ ಹೊರಗೆ ರಜೆ ಹಂಚಿಕೆ ಅವಧಿಯಲ್ಲಿ ಸಾಧ್ಯವಿಲ್ಲ,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,ಪೋಲಿಯೊ ಸಂಖ್ಯೆಗಳೊಂದಿಗೆ ಲಭ್ಯವಿರುವ ಷೇರುದಾರರ ಪಟ್ಟಿ,
 Loading Payment System,ಪಾವತಿ ವ್ಯವಸ್ಥೆಯನ್ನು ಲೋಡ್ ಮಾಡಲಾಗುತ್ತಿದೆ,
 Loan,ಸಾಲ,
-Loan Amount cannot exceed Maximum Loan Amount of {0},ಸಾಲದ ಪ್ರಮಾಣ ಗರಿಷ್ಠ ಸಾಲದ ಪ್ರಮಾಣ ಮೀರುವಂತಿಲ್ಲ {0},
-Loan Application,ಸಾಲದ ಅರ್ಜಿ,
-Loan Management,ಸಾಲ ನಿರ್ವಹಣೆ,
-Loan Repayment,ಸಾಲ ಮರುಪಾವತಿ,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,ಸರಕುಪಟ್ಟಿ ರಿಯಾಯಿತಿಯನ್ನು ಉಳಿಸಲು ಸಾಲ ಪ್ರಾರಂಭ ದಿನಾಂಕ ಮತ್ತು ಸಾಲದ ಅವಧಿ ಕಡ್ಡಾಯವಾಗಿದೆ,
 Loans (Liabilities),ಸಾಲ ( ಹೊಣೆಗಾರಿಕೆಗಳು ),
 Loans and Advances (Assets),ಸಾಲ ಮತ್ತು ಅಡ್ವಾನ್ಸಸ್ ( ಆಸ್ತಿಗಳು ),
@@ -1611,7 +1605,6 @@
 Monday,ಸೋಮವಾರ,
 Monthly,ಮಾಸಿಕ,
 Monthly Distribution,ಮಾಸಿಕ ವಿತರಣೆ,
-Monthly Repayment Amount cannot be greater than Loan Amount,ಮಾಸಿಕ ಮರುಪಾವತಿಯ ಪ್ರಮಾಣ ಸಾಲದ ಪ್ರಮಾಣ ಅಧಿಕವಾಗಿರುತ್ತದೆ ಸಾಧ್ಯವಿಲ್ಲ,
 More,ಇನ್ನಷ್ಟು,
 More Information,ಹೆಚ್ಚಿನ ಮಾಹಿತಿ,
 More than one selection for {0} not allowed,{0} ಗಾಗಿ ಒಂದಕ್ಕಿಂತ ಹೆಚ್ಚು ಆಯ್ಕೆ ಅನುಮತಿಸಲಾಗಿಲ್ಲ,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},{0} {1} ಪಾವತಿಸಿ,
 Payable,ಕೊಡಬೇಕಾದ,
 Payable Account,ಕೊಡಬೇಕಾದ ಖಾತೆ,
-Payable Amount,ಪಾವತಿಸಬೇಕಾದ ಮೊತ್ತ,
 Payment,ಪಾವತಿ,
 Payment Cancelled. Please check your GoCardless Account for more details,ಪಾವತಿ ರದ್ದುಗೊಳಿಸಲಾಗಿದೆ. ದಯವಿಟ್ಟು ಹೆಚ್ಚಿನ ವಿವರಗಳಿಗಾಗಿ ನಿಮ್ಮ GoCardless ಖಾತೆಯನ್ನು ಪರಿಶೀಲಿಸಿ,
 Payment Confirmation,ಹಣ ಪಾವತಿ ದೃಢೀಕರಣ,
-Payment Date,ಪಾವತಿ ದಿನಾಂಕ,
 Payment Days,ಪಾವತಿ ಡೇಸ್,
 Payment Document,ಪಾವತಿ ಡಾಕ್ಯುಮೆಂಟ್,
 Payment Due Date,ಪಾವತಿ ಕಾರಣ ದಿನಾಂಕ,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,ಮೊದಲ ಖರೀದಿ ರಿಸೀಟ್ನ್ನು ನಮೂದಿಸಿ,
 Please enter Receipt Document,ದಯವಿಟ್ಟು ರಸೀತಿ ಡಾಕ್ಯುಮೆಂಟ್ ನಮೂದಿಸಿ,
 Please enter Reference date,ರೆಫರೆನ್ಸ್ ದಿನಾಂಕ ನಮೂದಿಸಿ,
-Please enter Repayment Periods,ದಯವಿಟ್ಟು ಮರುಪಾವತಿಯ ಅವಧಿಗಳು ನಮೂದಿಸಿ,
 Please enter Reqd by Date,ದಯವಿಟ್ಟು ದಿನಾಂಕದಂದು Reqd ಯನ್ನು ನಮೂದಿಸಿ,
 Please enter Woocommerce Server URL,ದಯವಿಟ್ಟು Woocommerce ಸರ್ವರ್ URL ಅನ್ನು ನಮೂದಿಸಿ,
 Please enter Write Off Account,ಖಾತೆ ಆಫ್ ಬರೆಯಿರಿ ನಮೂದಿಸಿ,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,ಮೂಲ ವೆಚ್ಚ ಸೆಂಟರ್ ನಮೂದಿಸಿ,
 Please enter quantity for Item {0},ಐಟಂ ಪ್ರಮಾಣ ನಮೂದಿಸಿ {0},
 Please enter relieving date.,ದಿನಾಂಕ ನಿವಾರಿಸುವ ನಮೂದಿಸಿ.,
-Please enter repayment Amount,ದಯವಿಟ್ಟು ಮರುಪಾವತಿ ಪ್ರಮಾಣವನ್ನು ನಮೂದಿಸಿ,
 Please enter valid Financial Year Start and End Dates,ಮಾನ್ಯ ಹಣಕಾಸು ವರ್ಷದ ಆರಂಭ ಮತ್ತು ಅಂತಿಮ ದಿನಾಂಕ ನಮೂದಿಸಿ,
 Please enter valid email address,ದಯವಿಟ್ಟು ಮಾನ್ಯವಾದ ಇಮೇಲ್ ವಿಳಾಸವನ್ನು ನಮೂದಿಸಿ,
 Please enter {0} first,ಮೊದಲ {0} ನಮೂದಿಸಿ,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,ಬೆಲೆ ನಿಯಮಗಳಲ್ಲಿ ಮತ್ತಷ್ಟು ಪ್ರಮಾಣವನ್ನು ಆಧರಿಸಿ ಫಿಲ್ಟರ್.,
 Primary Address Details,ಪ್ರಾಥಮಿಕ ವಿಳಾಸ ವಿವರಗಳು,
 Primary Contact Details,ಪ್ರಾಥಮಿಕ ಸಂಪರ್ಕ ವಿವರಗಳು,
-Principal Amount,ಪ್ರಮುಖ ಪ್ರಮಾಣವನ್ನು,
 Print Format,ಪ್ರಿಂಟ್ ಫಾರ್ಮ್ಯಾಟ್,
 Print IRS 1099 Forms,ಐಆರ್ಎಸ್ 1099 ಫಾರ್ಮ್‌ಗಳನ್ನು ಮುದ್ರಿಸಿ,
 Print Report Card,ವರದಿ ಕಾರ್ಡ್ ಮುದ್ರಿಸು,
@@ -2550,7 +2538,6 @@
 Sample Collection,ಮಾದರಿ ಸಂಗ್ರಹ,
 Sample quantity {0} cannot be more than received quantity {1},ಮಾದರಿ ಪ್ರಮಾಣ {0} ಪಡೆದಿರುವ ಪ್ರಮಾಣಕ್ಕಿಂತ ಹೆಚ್ಚಿನದಾಗಿರಲು ಸಾಧ್ಯವಿಲ್ಲ {1},
 Sanctioned,ಮಂಜೂರು,
-Sanctioned Amount,ಮಂಜೂರಾದ ಹಣದಲ್ಲಿ,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ಮಂಜೂರು ಪ್ರಮಾಣ ರೋನಲ್ಲಿ ಹಕ್ಕು ಪ್ರಮಾಣವನ್ನು ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ {0}.,
 Sand,ಮರಳು,
 Saturday,ಶನಿವಾರ,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} ಈಗಾಗಲೇ ಪೋಷಕ ವಿಧಾನವನ್ನು ಹೊಂದಿದೆ {1}.,
 API,API,
 Annual,ವಾರ್ಷಿಕ,
-Approved,Approved,
 Change,ಬದಲಾವಣೆ,
 Contact Email,ಇಮೇಲ್ ಮೂಲಕ ಸಂಪರ್ಕಿಸಿ,
 Export Type,ರಫ್ತು ಕೌಟುಂಬಿಕತೆ,
@@ -3571,7 +3557,6 @@
 Account Value,ಖಾತೆ ಮೌಲ್ಯ,
 Account is mandatory to get payment entries,ಪಾವತಿ ನಮೂದುಗಳನ್ನು ಪಡೆಯಲು ಖಾತೆ ಕಡ್ಡಾಯವಾಗಿದೆ,
 Account is not set for the dashboard chart {0},ಡ್ಯಾಶ್‌ಬೋರ್ಡ್ ಚಾರ್ಟ್ {0 for ಗೆ ಖಾತೆಯನ್ನು ಹೊಂದಿಸಲಾಗಿಲ್ಲ,
-Account {0} does not belong to company {1},ಖಾತೆ {0} ಕಂಪನಿ ಸೇರುವುದಿಲ್ಲ {1},
 Account {0} does not exists in the dashboard chart {1},ಖಾತೆ {0 the ಡ್ಯಾಶ್‌ಬೋರ್ಡ್ ಚಾರ್ಟ್ {1 in ನಲ್ಲಿ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ,
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,ಖಾತೆ: <b>{0</b> capital ಬಂಡವಾಳದ ಕೆಲಸ ಪ್ರಗತಿಯಲ್ಲಿದೆ ಮತ್ತು ಜರ್ನಲ್ ಎಂಟ್ರಿಯಿಂದ ನವೀಕರಿಸಲಾಗುವುದಿಲ್ಲ,
 Account: {0} is not permitted under Payment Entry,ಖಾತೆ: ಪಾವತಿ ಪ್ರವೇಶದ ಅಡಿಯಲ್ಲಿ {0 ಅನ್ನು ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ,
@@ -3582,7 +3567,6 @@
 Activity,ಚಟುವಟಿಕೆ,
 Add / Manage Email Accounts.,ಇಮೇಲ್ ಖಾತೆಗಳನ್ನು ನಿರ್ವಹಿಸು / ಸೇರಿಸಿ.,
 Add Child,ಮಕ್ಕಳ ಸೇರಿಸಿ,
-Add Loan Security,ಸಾಲ ಭದ್ರತೆಯನ್ನು ಸೇರಿಸಿ,
 Add Multiple,ಬಹು ಸೇರಿಸಿ,
 Add Participants,ಪಾಲ್ಗೊಳ್ಳುವವರನ್ನು ಸೇರಿಸಿ,
 Add to Featured Item,ವೈಶಿಷ್ಟ್ಯಗೊಳಿಸಿದ ಐಟಂಗೆ ಸೇರಿಸಿ,
@@ -3593,15 +3577,12 @@
 Address Line 1,ಲೈನ್ 1 ವಿಳಾಸ,
 Addresses,ವಿಳಾಸಗಳು,
 Admission End Date should be greater than Admission Start Date.,ಪ್ರವೇಶ ಅಂತಿಮ ದಿನಾಂಕ ಪ್ರವೇಶ ಪ್ರಾರಂಭ ದಿನಾಂಕಕ್ಕಿಂತ ಹೆಚ್ಚಾಗಿರಬೇಕು.,
-Against Loan,ಸಾಲದ ವಿರುದ್ಧ,
-Against Loan:,ಸಾಲದ ವಿರುದ್ಧ:,
 All,ಎಲ್ಲಾ,
 All bank transactions have been created,ಎಲ್ಲಾ ಬ್ಯಾಂಕ್ ವಹಿವಾಟುಗಳನ್ನು ರಚಿಸಲಾಗಿದೆ,
 All the depreciations has been booked,ಎಲ್ಲಾ ಸವಕಳಿಗಳನ್ನು ಬುಕ್ ಮಾಡಲಾಗಿದೆ,
 Allocation Expired!,ಹಂಚಿಕೆ ಅವಧಿ ಮುಗಿದಿದೆ!,
 Allow Resetting Service Level Agreement from Support Settings.,ಬೆಂಬಲ ಸೆಟ್ಟಿಂಗ್‌ಗಳಿಂದ ಸೇವಾ ಮಟ್ಟದ ಒಪ್ಪಂದವನ್ನು ಮರುಹೊಂದಿಸಲು ಅನುಮತಿಸಿ.,
 Amount of {0} is required for Loan closure,ಸಾಲ ಮುಚ್ಚಲು {0 of ಅಗತ್ಯವಿದೆ,
-Amount paid cannot be zero,ಪಾವತಿಸಿದ ಮೊತ್ತ ಶೂನ್ಯವಾಗಿರಬಾರದು,
 Applied Coupon Code,ಅನ್ವಯಿಕ ಕೂಪನ್ ಕೋಡ್,
 Apply Coupon Code,ಕೂಪನ್ ಕೋಡ್ ಅನ್ನು ಅನ್ವಯಿಸಿ,
 Appointment Booking,ನೇಮಕಾತಿ ಬುಕಿಂಗ್,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,ಚಾಲಕ ವಿಳಾಸ ಕಾಣೆಯಾಗಿರುವುದರಿಂದ ಆಗಮನದ ಸಮಯವನ್ನು ಲೆಕ್ಕಹಾಕಲು ಸಾಧ್ಯವಿಲ್ಲ.,
 Cannot Optimize Route as Driver Address is Missing.,ಚಾಲಕ ವಿಳಾಸ ಕಾಣೆಯಾದ ಕಾರಣ ಮಾರ್ಗವನ್ನು ಅತ್ಯುತ್ತಮವಾಗಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,ಅವಲಂಬಿತ ಕಾರ್ಯ {1 c ಅನ್ನು ಪೂರ್ಣಗೊಳಿಸಲಾಗುವುದಿಲ್ಲ / ರದ್ದುಗೊಳಿಸಲಾಗಿಲ್ಲ.,
-Cannot create loan until application is approved,ಅರ್ಜಿಯನ್ನು ಅನುಮೋದಿಸುವವರೆಗೆ ಸಾಲವನ್ನು ರಚಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ,
 Cannot find a matching Item. Please select some other value for {0}.,ಮ್ಯಾಚಿಂಗ್ ಐಟಂ ಸಿಗುವುದಿಲ್ಲ. ಫಾರ್ {0} ಕೆಲವು ಇತರ ಮೌಲ್ಯ ಆಯ್ಕೆಮಾಡಿ.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","{1 row ಸಾಲಿನಲ್ಲಿ {0 item ಐಟಂ over 2 than ಗಿಂತ ಹೆಚ್ಚು ಓವರ್‌ಬಿಲ್ ಮಾಡಲು ಸಾಧ್ಯವಿಲ್ಲ. ಓವರ್ ಬಿಲ್ಲಿಂಗ್ ಅನ್ನು ಅನುಮತಿಸಲು, ದಯವಿಟ್ಟು ಖಾತೆಗಳ ಸೆಟ್ಟಿಂಗ್‌ಗಳಲ್ಲಿ ಭತ್ಯೆಯನ್ನು ಹೊಂದಿಸಿ",
 "Capacity Planning Error, planned start time can not be same as end time","ಸಾಮರ್ಥ್ಯ ಯೋಜನೆ ದೋಷ, ಯೋಜಿತ ಪ್ರಾರಂಭದ ಸಮಯವು ಅಂತಿಮ ಸಮಯದಂತೆಯೇ ಇರಬಾರದು",
@@ -3812,20 +3792,9 @@
 Less Than Amount,ಮೊತ್ತಕ್ಕಿಂತ ಕಡಿಮೆ,
 Liabilities,ಬಾಧ್ಯತೆಗಳು,
 Loading...,ಲೋಡ್ ಆಗುತ್ತಿದೆ ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,ಪ್ರಸ್ತಾವಿತ ಸೆಕ್ಯೂರಿಟಿಗಳ ಪ್ರಕಾರ ಸಾಲದ ಮೊತ್ತವು ಗರಿಷ್ಠ ಸಾಲದ ಮೊತ್ತವನ್ನು {0 ಮೀರಿದೆ,
 Loan Applications from customers and employees.,ಗ್ರಾಹಕರು ಮತ್ತು ಉದ್ಯೋಗಿಗಳಿಂದ ಸಾಲ ಅರ್ಜಿಗಳು.,
-Loan Disbursement,ಸಾಲ ವಿತರಣೆ,
 Loan Processes,ಸಾಲ ಪ್ರಕ್ರಿಯೆಗಳು,
-Loan Security,ಸಾಲ ಭದ್ರತೆ,
-Loan Security Pledge,ಸಾಲ ಭದ್ರತಾ ಪ್ರತಿಜ್ಞೆ,
-Loan Security Pledge Created : {0},ಸಾಲ ಭದ್ರತಾ ಪ್ರತಿಜ್ಞೆಯನ್ನು ರಚಿಸಲಾಗಿದೆ: {0},
-Loan Security Price,ಸಾಲ ಭದ್ರತಾ ಬೆಲೆ,
-Loan Security Price overlapping with {0},ಭದ್ರತಾ ಭದ್ರತಾ ಬೆಲೆ {0 with ನೊಂದಿಗೆ ಅತಿಕ್ರಮಿಸುತ್ತದೆ,
-Loan Security Unpledge,ಸಾಲ ಭದ್ರತೆ ಅನ್ಪ್ಲೆಡ್ಜ್,
-Loan Security Value,ಸಾಲ ಭದ್ರತಾ ಮೌಲ್ಯ,
 Loan Type for interest and penalty rates,ಬಡ್ಡಿ ಮತ್ತು ದಂಡದ ದರಗಳಿಗಾಗಿ ಸಾಲದ ಪ್ರಕಾರ,
-Loan amount cannot be greater than {0},ಸಾಲದ ಮೊತ್ತ {0 than ಗಿಂತ ಹೆಚ್ಚಿರಬಾರದು,
-Loan is mandatory,ಸಾಲ ಕಡ್ಡಾಯ,
 Loans,ಸಾಲಗಳು,
 Loans provided to customers and employees.,ಗ್ರಾಹಕರು ಮತ್ತು ಉದ್ಯೋಗಿಗಳಿಗೆ ಸಾಲ ಒದಗಿಸಲಾಗಿದೆ.,
 Location,ಸ್ಥಳ,
@@ -3894,7 +3863,6 @@
 Pay,ಪೇ,
 Payment Document Type,ಪಾವತಿ ಡಾಕ್ಯುಮೆಂಟ್ ಪ್ರಕಾರ,
 Payment Name,ಪಾವತಿ ಹೆಸರು,
-Penalty Amount,ದಂಡದ ಮೊತ್ತ,
 Pending,ಬಾಕಿ,
 Performance,ಪ್ರದರ್ಶನ,
 Period based On,ಅವಧಿ ಆಧಾರಿತವಾಗಿದೆ,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,ಈ ಐಟಂ ಅನ್ನು ಸಂಪಾದಿಸಲು ದಯವಿಟ್ಟು ಮಾರುಕಟ್ಟೆ ಬಳಕೆದಾರರಾಗಿ ಲಾಗಿನ್ ಮಾಡಿ.,
 Please login as a Marketplace User to report this item.,ಈ ಐಟಂ ಅನ್ನು ವರದಿ ಮಾಡಲು ದಯವಿಟ್ಟು ಮಾರುಕಟ್ಟೆ ಬಳಕೆದಾರರಾಗಿ ಲಾಗಿನ್ ಮಾಡಿ.,
 Please select <b>Template Type</b> to download template,<b>ಟೆಂಪ್ಲೇಟ್</b> ಡೌನ್‌ಲೋಡ್ ಮಾಡಲು ದಯವಿಟ್ಟು <b>ಟೆಂಪ್ಲೇಟು ಪ್ರಕಾರವನ್ನು</b> ಆಯ್ಕೆ ಮಾಡಿ,
-Please select Applicant Type first,ದಯವಿಟ್ಟು ಮೊದಲು ಅರ್ಜಿದಾರರ ಪ್ರಕಾರವನ್ನು ಆರಿಸಿ,
 Please select Customer first,ದಯವಿಟ್ಟು ಮೊದಲು ಗ್ರಾಹಕರನ್ನು ಆಯ್ಕೆ ಮಾಡಿ,
 Please select Item Code first,ದಯವಿಟ್ಟು ಮೊದಲು ಐಟಂ ಕೋಡ್ ಆಯ್ಕೆಮಾಡಿ,
-Please select Loan Type for company {0},ದಯವಿಟ್ಟು ಕಂಪನಿ {0 for ಗಾಗಿ ಸಾಲ ಪ್ರಕಾರವನ್ನು ಆರಿಸಿ,
 Please select a Delivery Note,ದಯವಿಟ್ಟು ವಿತರಣಾ ಟಿಪ್ಪಣಿ ಆಯ್ಕೆಮಾಡಿ,
 Please select a Sales Person for item: {0},ಐಟಂಗೆ ದಯವಿಟ್ಟು ಮಾರಾಟ ವ್ಯಕ್ತಿಯನ್ನು ಆಯ್ಕೆ ಮಾಡಿ: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',ಮತ್ತೊಂದು ಪಾವತಿ ವಿಧಾನವನ್ನು ಅನುಸರಿಸಿ. ಪಟ್ಟಿ ಚಲಾವಣೆಯ ವ್ಯವಹಾರದಲ್ಲಿ ಬೆಂಬಲಿಸದಿರುವುದರಿಂದ &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},ದಯವಿಟ್ಟು ಕಂಪನಿ for 0 for ಗಾಗಿ ಡೀಫಾಲ್ಟ್ ಬ್ಯಾಂಕ್ ಖಾತೆಯನ್ನು ಹೊಂದಿಸಿ,
 Please specify,ಸೂಚಿಸಲು ದಯವಿಟ್ಟು,
 Please specify a {0},ದಯವಿಟ್ಟು {0} ಅನ್ನು ನಿರ್ದಿಷ್ಟಪಡಿಸಿ,lead
-Pledge Status,ಪ್ರತಿಜ್ಞೆ ಸ್ಥಿತಿ,
-Pledge Time,ಪ್ರತಿಜ್ಞೆ ಸಮಯ,
 Printing,ಮುದ್ರಣ,
 Priority,ಆದ್ಯತೆ,
 Priority has been changed to {0}.,ಆದ್ಯತೆಯನ್ನು {0 to ಗೆ ಬದಲಾಯಿಸಲಾಗಿದೆ.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,XML ಫೈಲ್‌ಗಳನ್ನು ಪ್ರಕ್ರಿಯೆಗೊಳಿಸಲಾಗುತ್ತಿದೆ,
 Profitability,ಲಾಭದಾಯಕತೆ,
 Project,ಯೋಜನೆ,
-Proposed Pledges are mandatory for secured Loans,ಸುರಕ್ಷಿತ ಸಾಲಗಳಿಗೆ ಪ್ರಸ್ತಾವಿತ ಪ್ರತಿಜ್ಞೆಗಳು ಕಡ್ಡಾಯವಾಗಿದೆ,
 Provide the academic year and set the starting and ending date.,ಶೈಕ್ಷಣಿಕ ವರ್ಷವನ್ನು ಒದಗಿಸಿ ಮತ್ತು ಪ್ರಾರಂಭ ಮತ್ತು ಅಂತ್ಯದ ದಿನಾಂಕವನ್ನು ನಿಗದಿಪಡಿಸಿ.,
 Public token is missing for this bank,ಈ ಬ್ಯಾಂಕ್‌ಗೆ ಸಾರ್ವಜನಿಕ ಟೋಕನ್ ಕಾಣೆಯಾಗಿದೆ,
 Publish,ಪ್ರಕಟಿಸು,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,ಖರೀದಿ ರಶೀದಿಯಲ್ಲಿ ಉಳಿಸಿಕೊಳ್ಳುವ ಮಾದರಿಯನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿದ ಯಾವುದೇ ಐಟಂ ಇಲ್ಲ.,
 Purchase Return,ಖರೀದಿ ರಿಟರ್ನ್,
 Qty of Finished Goods Item,ಮುಗಿದ ಸರಕುಗಳ ಐಟಂ,
-Qty or Amount is mandatroy for loan security,ಸಾಲ ಭದ್ರತೆಗಾಗಿ ಕ್ಯೂಟಿ ಅಥವಾ ಮೊತ್ತವು ಮ್ಯಾಂಡಟ್ರಾಯ್ ಆಗಿದೆ,
 Quality Inspection required for Item {0} to submit,ಸಲ್ಲಿಸಲು ಐಟಂ {0 for ಗೆ ಗುಣಮಟ್ಟದ ಪರಿಶೀಲನೆ ಅಗತ್ಯವಿದೆ,
 Quantity to Manufacture,ಉತ್ಪಾದನೆಗೆ ಪ್ರಮಾಣ,
 Quantity to Manufacture can not be zero for the operation {0},To 0 operation ಕಾರ್ಯಾಚರಣೆಗೆ ಉತ್ಪಾದನೆಯ ಪ್ರಮಾಣ ಶೂನ್ಯವಾಗಿರಲು ಸಾಧ್ಯವಿಲ್ಲ,
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,ಪರಿಹಾರ ದಿನಾಂಕವು ಸೇರುವ ದಿನಾಂಕಕ್ಕಿಂತ ದೊಡ್ಡದಾಗಿರಬೇಕು ಅಥವಾ ಸಮನಾಗಿರಬೇಕು,
 Rename,ಹೊಸ ಹೆಸರಿಡು,
 Rename Not Allowed,ಮರುಹೆಸರಿಸಲು ಅನುಮತಿಸಲಾಗಿಲ್ಲ,
-Repayment Method is mandatory for term loans,ಟರ್ಮ್ ಸಾಲಗಳಿಗೆ ಮರುಪಾವತಿ ವಿಧಾನ ಕಡ್ಡಾಯವಾಗಿದೆ,
-Repayment Start Date is mandatory for term loans,ಅವಧಿ ಸಾಲಗಳಿಗೆ ಮರುಪಾವತಿ ಪ್ರಾರಂಭ ದಿನಾಂಕ ಕಡ್ಡಾಯವಾಗಿದೆ,
 Report Item,ಐಟಂ ವರದಿ ಮಾಡಿ,
 Report this Item,ಈ ಐಟಂ ಅನ್ನು ವರದಿ ಮಾಡಿ,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,ಉಪಗುತ್ತಿಗೆಗಾಗಿ ಕಾಯ್ದಿರಿಸಲಾಗಿದೆ: ಉಪಗುತ್ತಿಗೆ ವಸ್ತುಗಳನ್ನು ತಯಾರಿಸಲು ಕಚ್ಚಾ ವಸ್ತುಗಳ ಪ್ರಮಾಣ.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},ಸಾಲು ({0}): {1 already ಅನ್ನು ಈಗಾಗಲೇ {2 in ನಲ್ಲಿ ರಿಯಾಯಿತಿ ಮಾಡಲಾಗಿದೆ,
 Rows Added in {0},ಸಾಲುಗಳನ್ನು {0 in ನಲ್ಲಿ ಸೇರಿಸಲಾಗಿದೆ,
 Rows Removed in {0},{0 in ನಲ್ಲಿ ಸಾಲುಗಳನ್ನು ತೆಗೆದುಹಾಕಲಾಗಿದೆ,
-Sanctioned Amount limit crossed for {0} {1},ಅನುಮೋದಿತ ಮೊತ್ತದ ಮಿತಿಯನ್ನು {0} {1 for ಗೆ ದಾಟಿದೆ,
-Sanctioned Loan Amount already exists for {0} against company {1},ಕಂಪೆನಿ {1 against ವಿರುದ್ಧ {0 for ಗೆ ಅನುಮೋದಿತ ಸಾಲ ಮೊತ್ತವು ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ,
 Save,ಉಳಿಸಿ,
 Save Item,ಐಟಂ ಉಳಿಸಿ,
 Saved Items,ಉಳಿಸಿದ ವಸ್ತುಗಳು,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,ಬಳಕೆದಾರ {0} ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ,
 Users and Permissions,ಬಳಕೆದಾರರು ಮತ್ತು ಅನುಮತಿಗಳು,
 Vacancies cannot be lower than the current openings,ಖಾಲಿ ಹುದ್ದೆಗಳು ಪ್ರಸ್ತುತ ತೆರೆಯುವಿಕೆಗಳಿಗಿಂತ ಕಡಿಮೆಯಿರಬಾರದು,
-Valid From Time must be lesser than Valid Upto Time.,ಸಮಯದಿಂದ ಮಾನ್ಯವು ಸಮಯಕ್ಕಿಂತ ಮಾನ್ಯಕ್ಕಿಂತ ಕಡಿಮೆಯಿರಬೇಕು.,
 Valuation Rate required for Item {0} at row {1},{1 row ಸಾಲಿನಲ್ಲಿ ಐಟಂ {0 for ಗೆ ಮೌಲ್ಯಮಾಪನ ದರ ಅಗತ್ಯವಿದೆ,
 Values Out Of Sync,ಮೌಲ್ಯಗಳು ಸಿಂಕ್‌ನಿಂದ ಹೊರಗಿದೆ,
 Vehicle Type is required if Mode of Transport is Road,ಸಾರಿಗೆ ವಿಧಾನವು ರಸ್ತೆಯಾಗಿದ್ದರೆ ವಾಹನ ಪ್ರಕಾರದ ಅಗತ್ಯವಿದೆ,
@@ -4211,7 +4168,6 @@
 Add to Cart,ಕಾರ್ಟ್ ಸೇರಿಸಿ,
 Days Since Last Order,ಕೊನೆಯ ಆದೇಶದ ದಿನಗಳು,
 In Stock,ಸಂಗ್ರಹಣೆಯಲ್ಲಿ,
-Loan Amount is mandatory,ಸಾಲದ ಮೊತ್ತ ಕಡ್ಡಾಯ,
 Mode Of Payment,ಪಾವತಿಯ ಮೋಡ್,
 No students Found,ಯಾವುದೇ ವಿದ್ಯಾರ್ಥಿಗಳು ಕಂಡುಬಂದಿಲ್ಲ,
 Not in Stock,ಮಾಡಿರುವುದಿಲ್ಲ ಸ್ಟಾಕ್,
@@ -4240,7 +4196,6 @@
 Group by,ಗುಂಪಿನ,
 In stock,ಉಪಲಬ್ದವಿದೆ,
 Item name,ಐಟಂ ಹೆಸರು,
-Loan amount is mandatory,ಸಾಲದ ಮೊತ್ತ ಕಡ್ಡಾಯ,
 Minimum Qty,ಕನಿಷ್ಠ ಕ್ಯೂಟಿ,
 More details,ಇನ್ನಷ್ಟು ವಿವರಗಳು,
 Nature of Supplies,ನೇಚರ್ ಆಫ್ ಸಪ್ಲೈಸ್,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,ಒಟ್ಟು ಪೂರ್ಣಗೊಂಡ ಕ್ಯೂಟಿ,
 Qty to Manufacture,ತಯಾರಿಸಲು ಪ್ರಮಾಣ,
 Repay From Salary can be selected only for term loans,ಟರ್ಮ್ ಸಾಲಗಳಿಗೆ ಮಾತ್ರ ಸಂಬಳದಿಂದ ಮರುಪಾವತಿ ಆಯ್ಕೆ ಮಾಡಬಹುದು,
-No valid Loan Security Price found for {0},ಮಾನ್ಯ ಸಾಲ ಭದ್ರತಾ ಬೆಲೆ {0 for ಗೆ ಕಂಡುಬಂದಿಲ್ಲ,
-Loan Account and Payment Account cannot be same,ಸಾಲ ಖಾತೆ ಮತ್ತು ಪಾವತಿ ಖಾತೆ ಒಂದೇ ಆಗಿರಬಾರದು,
-Loan Security Pledge can only be created for secured loans,ಸುರಕ್ಷಿತ ಸಾಲಗಳಿಗೆ ಮಾತ್ರ ಸಾಲ ಭದ್ರತಾ ಪ್ರತಿಜ್ಞೆಯನ್ನು ರಚಿಸಬಹುದು,
 Social Media Campaigns,ಸಾಮಾಜಿಕ ಮಾಧ್ಯಮ ಪ್ರಚಾರಗಳು,
 From Date can not be greater than To Date,ದಿನಾಂಕದಿಂದ ದಿನಾಂಕಕ್ಕಿಂತ ದೊಡ್ಡದಾಗಿರಬಾರದು,
 Please set a Customer linked to the Patient,ದಯವಿಟ್ಟು ರೋಗಿಗೆ ಲಿಂಕ್ ಮಾಡಲಾದ ಗ್ರಾಹಕರನ್ನು ಹೊಂದಿಸಿ,
@@ -6437,7 +6389,6 @@
 HR User,ಮಾನವ ಸಂಪನ್ಮೂಲ ಬಳಕೆದಾರ,
 Appointment Letter,ನೇಮಕಾತಿ ಪತ್ರ,
 Job Applicant,ಜಾಬ್ ಸಂ,
-Applicant Name,ಅರ್ಜಿದಾರರ ಹೆಸರು,
 Appointment Date,ನೇಮಕಾತಿ ದಿನಾಂಕ,
 Appointment Letter Template,ನೇಮಕಾತಿ ಪತ್ರ ಟೆಂಪ್ಲೇಟು,
 Body,ದೇಹ,
@@ -7059,99 +7010,12 @@
 Sync in Progress,ಸಿಂಕ್ ಪ್ರಗತಿಯಲ್ಲಿದೆ,
 Hub Seller Name,ಹಬ್ ಮಾರಾಟಗಾರ ಹೆಸರು,
 Custom Data,ಕಸ್ಟಮ್ ಡೇಟಾ,
-Member,ಸದಸ್ಯರು,
-Partially Disbursed,ಭಾಗಶಃ ಪಾವತಿಸಲಾಗುತ್ತದೆ,
-Loan Closure Requested,ಸಾಲ ಮುಚ್ಚುವಿಕೆ ವಿನಂತಿಸಲಾಗಿದೆ,
 Repay From Salary,ಸಂಬಳದಿಂದ ಬಂದ ಮರುಪಾವತಿ,
-Loan Details,ಸಾಲ ವಿವರಗಳು,
-Loan Type,ಸಾಲದ ಬಗೆಯ,
-Loan Amount,ಸಾಲದ ಪ್ರಮಾಣ,
-Is Secured Loan,ಸುರಕ್ಷಿತ ಸಾಲವಾಗಿದೆ,
-Rate of Interest (%) / Year,ಬಡ್ಡಿ (%) / ವರ್ಷದ ದರ,
-Disbursement Date,ವಿತರಣೆ ದಿನಾಂಕ,
-Disbursed Amount,ವಿತರಿಸಿದ ಮೊತ್ತ,
-Is Term Loan,ಟರ್ಮ್ ಸಾಲ,
-Repayment Method,ಮರುಪಾವತಿಯ ವಿಧಾನ,
-Repay Fixed Amount per Period,ಅವಧಿಯ ಪ್ರತಿ ಸ್ಥಿರ ಪ್ರಮಾಣದ ಮರುಪಾವತಿ,
-Repay Over Number of Periods,ಓವರ್ ಸಂಖ್ಯೆ ಅವಧಿಗಳು ಮರುಪಾವತಿ,
-Repayment Period in Months,ತಿಂಗಳಲ್ಲಿ ಮರುಪಾವತಿಯ ಅವಧಿಯ,
-Monthly Repayment Amount,ಮಾಸಿಕ ಮರುಪಾವತಿಯ ಪ್ರಮಾಣ,
-Repayment Start Date,ಮರುಪಾವತಿಯ ಪ್ರಾರಂಭ ದಿನಾಂಕ,
-Loan Security Details,ಸಾಲ ಭದ್ರತಾ ವಿವರಗಳು,
-Maximum Loan Value,ಗರಿಷ್ಠ ಸಾಲ ಮೌಲ್ಯ,
-Account Info,ಖಾತೆಯ ಮಾಹಿತಿ,
-Loan Account,ಸಾಲ ಖಾತೆ,
-Interest Income Account,ಬಡ್ಡಿಯ ಖಾತೆ,
-Penalty Income Account,ದಂಡ ಆದಾಯ ಖಾತೆ,
-Repayment Schedule,ಮರುಪಾವತಿಯ ವೇಳಾಪಟ್ಟಿ,
-Total Payable Amount,ಒಟ್ಟು ಪಾವತಿಸಲಾಗುವುದು ಪ್ರಮಾಣ,
-Total Principal Paid,ಒಟ್ಟು ಪ್ರಾಂಶುಪಾಲರು ಪಾವತಿಸಿದ್ದಾರೆ,
-Total Interest Payable,ಪಾವತಿಸಲಾಗುವುದು ಒಟ್ಟು ಬಡ್ಡಿ,
-Total Amount Paid,ಒಟ್ಟು ಮೊತ್ತ ಪಾವತಿಸಿದೆ,
-Loan Manager,ಸಾಲ ವ್ಯವಸ್ಥಾಪಕ,
-Loan Info,ಸಾಲ ಮಾಹಿತಿ,
-Rate of Interest,ಬಡ್ಡಿ ದರ,
-Proposed Pledges,ಪ್ರಸ್ತಾವಿತ ಪ್ರತಿಜ್ಞೆಗಳು,
-Maximum Loan Amount,ಗರಿಷ್ಠ ಸಾಲದ,
-Repayment Info,ಮರುಪಾವತಿಯ ಮಾಹಿತಿ,
-Total Payable Interest,ಒಟ್ಟು ಪಾವತಿಸಲಾಗುವುದು ಬಡ್ಡಿ,
-Against Loan ,ಸಾಲದ ವಿರುದ್ಧ,
-Loan Interest Accrual,ಸಾಲ ಬಡ್ಡಿ ಸಂಚಯ,
-Amounts,ಮೊತ್ತಗಳು,
-Pending Principal Amount,ಪ್ರಧಾನ ಮೊತ್ತ ಬಾಕಿ ಉಳಿದಿದೆ,
-Payable Principal Amount,ಪಾವತಿಸಬೇಕಾದ ಪ್ರಧಾನ ಮೊತ್ತ,
-Paid Principal Amount,ಪಾವತಿಸಿದ ಪ್ರಧಾನ ಮೊತ್ತ,
-Paid Interest Amount,ಪಾವತಿಸಿದ ಬಡ್ಡಿ ಮೊತ್ತ,
-Process Loan Interest Accrual,ಪ್ರಕ್ರಿಯೆ ಸಾಲ ಬಡ್ಡಿ ಸಂಚಯ,
-Repayment Schedule Name,ಮರುಪಾವತಿ ವೇಳಾಪಟ್ಟಿ ಹೆಸರು,
 Regular Payment,ನಿಯಮಿತ ಪಾವತಿ,
 Loan Closure,ಸಾಲ ಮುಚ್ಚುವಿಕೆ,
-Payment Details,ಪಾವತಿ ವಿವರಗಳು,
-Interest Payable,ಪಾವತಿಸಬೇಕಾದ ಬಡ್ಡಿ,
-Amount Paid,ಮೊತ್ತವನ್ನು,
-Principal Amount Paid,ಪಾವತಿಸಿದ ಪ್ರಧಾನ ಮೊತ್ತ,
-Repayment Details,ಮರುಪಾವತಿ ವಿವರಗಳು,
-Loan Repayment Detail,ಸಾಲ ಮರುಪಾವತಿ ವಿವರ,
-Loan Security Name,ಸಾಲ ಭದ್ರತಾ ಹೆಸರು,
-Unit Of Measure,ಅಳತೆಯ ಘಟಕ,
-Loan Security Code,ಸಾಲ ಭದ್ರತಾ ಕೋಡ್,
-Loan Security Type,ಸಾಲ ಭದ್ರತಾ ಪ್ರಕಾರ,
-Haircut %,ಕ್ಷೌರ%,
-Loan  Details,ಸಾಲದ ವಿವರಗಳು,
-Unpledged,ಪೂರ್ಣಗೊಳಿಸಲಾಗಿಲ್ಲ,
-Pledged,ವಾಗ್ದಾನ,
-Partially Pledged,ಭಾಗಶಃ ವಾಗ್ದಾನ,
-Securities,ಸೆಕ್ಯುರಿಟೀಸ್,
-Total Security Value,ಒಟ್ಟು ಭದ್ರತಾ ಮೌಲ್ಯ,
-Loan Security Shortfall,ಸಾಲ ಭದ್ರತಾ ಕೊರತೆ,
-Loan ,ಸಾಲ,
-Shortfall Time,ಕೊರತೆಯ ಸಮಯ,
-America/New_York,ಅಮೇರಿಕಾ / ನ್ಯೂಯಾರ್ಕ್_ಯಾರ್ಕ್,
-Shortfall Amount,ಕೊರತೆ ಮೊತ್ತ,
-Security Value ,ಭದ್ರತಾ ಮೌಲ್ಯ,
-Process Loan Security Shortfall,ಪ್ರಕ್ರಿಯೆ ಸಾಲ ಭದ್ರತಾ ಕೊರತೆ,
-Loan To Value Ratio,ಮೌಲ್ಯ ಅನುಪಾತಕ್ಕೆ ಸಾಲ,
-Unpledge Time,ಅನ್ಪ್ಲೆಡ್ಜ್ ಸಮಯ,
-Loan Name,ಸಾಲ ಹೆಸರು,
 Rate of Interest (%) Yearly,ಬಡ್ಡಿ ದರ (%) ವಾರ್ಷಿಕ,
-Penalty Interest Rate (%) Per Day,ದಂಡ ಬಡ್ಡಿದರ (%) ದಿನಕ್ಕೆ,
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,ಮರುಪಾವತಿ ವಿಳಂಬವಾದರೆ ಪ್ರತಿದಿನ ಬಾಕಿ ಇರುವ ಬಡ್ಡಿ ಮೊತ್ತದ ಮೇಲೆ ದಂಡ ಬಡ್ಡಿ ದರವನ್ನು ವಿಧಿಸಲಾಗುತ್ತದೆ,
-Grace Period in Days,ದಿನಗಳಲ್ಲಿ ಗ್ರೇಸ್ ಅವಧಿ,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,ಸಾಲ ಮರುಪಾವತಿಯಲ್ಲಿ ವಿಳಂಬವಾದರೆ ದಂಡ ವಿಧಿಸಲಾಗದ ದಿನಾಂಕದಿಂದ ನಿಗದಿತ ದಿನಾಂಕದಿಂದ ದಿನಗಳ ಸಂಖ್ಯೆ,
-Pledge,ಪ್ರತಿಜ್ಞೆ,
-Post Haircut Amount,ಕ್ಷೌರ ಮೊತ್ತವನ್ನು ಪೋಸ್ಟ್ ಮಾಡಿ,
-Process Type,ಪ್ರಕ್ರಿಯೆ ಪ್ರಕಾರ,
-Update Time,ನವೀಕರಣ ಸಮಯ,
-Proposed Pledge,ಪ್ರಸ್ತಾವಿತ ಪ್ರತಿಜ್ಞೆ,
-Total Payment,ಒಟ್ಟು ಪಾವತಿ,
-Balance Loan Amount,ಬ್ಯಾಲೆನ್ಸ್ ಸಾಲದ ಪ್ರಮಾಣ,
-Is Accrued,ಸಂಚಿತವಾಗಿದೆ,
 Salary Slip Loan,ವೇತನ ಸ್ಲಿಪ್ ಸಾಲ,
 Loan Repayment Entry,ಸಾಲ ಮರುಪಾವತಿ ಪ್ರವೇಶ,
-Sanctioned Loan Amount,ಮಂಜೂರಾದ ಸಾಲದ ಮೊತ್ತ,
-Sanctioned Amount Limit,ಅನುಮೋದಿತ ಮೊತ್ತ ಮಿತಿ,
-Unpledge,ಅನ್ಪ್ಲೆಡ್ಜ್,
-Haircut,ಕ್ಷೌರ,
 MAT-MSH-.YYYY.-,MAT-MSH -YYYY.-,
 Generate Schedule,ವೇಳಾಪಟ್ಟಿ ರಚಿಸಿ,
 Schedules,ವೇಳಾಪಟ್ಟಿಗಳು,
@@ -7885,7 +7749,6 @@
 Update Series,ಅಪ್ಡೇಟ್ ಸರಣಿ,
 Change the starting / current sequence number of an existing series.,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಸರಣಿಯ ಆರಂಭಿಕ / ಪ್ರಸ್ತುತ ಅನುಕ್ರಮ ಸಂಖ್ಯೆ ಬದಲಾಯಿಸಿ.,
 Prefix,ಮೊದಲೇ ಜೋಡಿಸು,
-Current Value,ಪ್ರಸ್ತುತ ಮೌಲ್ಯ,
 This is the number of the last created transaction with this prefix,ಈ ಪೂರ್ವನಾಮವನ್ನು ಹೊಂದಿರುವ ಲೋಡ್ ದಾಖಲಿಸಿದವರು ವ್ಯವಹಾರದ ಸಂಖ್ಯೆ,
 Update Series Number,ಅಪ್ಡೇಟ್ ಸರಣಿ ಸಂಖ್ಯೆ,
 Quotation Lost Reason,ನುಡಿಮುತ್ತುಗಳು ಲಾಸ್ಟ್ ಕಾರಣ,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise ಮರುಕ್ರಮಗೊಳಿಸಿ ಮಟ್ಟ ಶಿಫಾರಸು,
 Lead Details,ಲೀಡ್ ವಿವರಗಳು,
 Lead Owner Efficiency,ಲೀಡ್ ಮಾಲೀಕ ದಕ್ಷತೆ,
-Loan Repayment and Closure,ಸಾಲ ಮರುಪಾವತಿ ಮತ್ತು ಮುಚ್ಚುವಿಕೆ,
-Loan Security Status,ಸಾಲ ಭದ್ರತಾ ಸ್ಥಿತಿ,
 Lost Opportunity,ಕಳೆದುಹೋದ ಅವಕಾಶ,
 Maintenance Schedules,ನಿರ್ವಹಣಾ ವೇಳಾಪಟ್ಟಿಗಳು,
 Material Requests for which Supplier Quotations are not created,ಯಾವ ಸರಬರಾಜುದಾರ ಉಲ್ಲೇಖಗಳು ಮೆಟೀರಿಯಲ್ ವಿನಂತಿಗಳು ದಾಖಲಿಸಿದವರು ಇಲ್ಲ,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},ಎಣಿಕೆಗಳು ಉದ್ದೇಶಿಸಲಾಗಿದೆ: {0},
 Payment Account is mandatory,ಪಾವತಿ ಖಾತೆ ಕಡ್ಡಾಯವಾಗಿದೆ,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","ಪರಿಶೀಲಿಸಿದರೆ, ಯಾವುದೇ ಘೋಷಣೆ ಅಥವಾ ಪುರಾವೆ ಸಲ್ಲಿಕೆ ಇಲ್ಲದೆ ಆದಾಯ ತೆರಿಗೆಯನ್ನು ಲೆಕ್ಕಾಚಾರ ಮಾಡುವ ಮೊದಲು ಪೂರ್ಣ ಮೊತ್ತವನ್ನು ತೆರಿಗೆಗೆ ಒಳಪಡುವ ಆದಾಯದಿಂದ ಕಡಿತಗೊಳಿಸಲಾಗುತ್ತದೆ.",
-Disbursement Details,ವಿತರಣಾ ವಿವರಗಳು,
 Material Request Warehouse,ವಸ್ತು ವಿನಂತಿ ಗೋದಾಮು,
 Select warehouse for material requests,ವಸ್ತು ವಿನಂತಿಗಳಿಗಾಗಿ ಗೋದಾಮು ಆಯ್ಕೆಮಾಡಿ,
 Transfer Materials For Warehouse {0},ಗೋದಾಮಿನ ಸಾಮಗ್ರಿಗಳನ್ನು ವರ್ಗಾಯಿಸಿ {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,ಹಕ್ಕು ಪಡೆಯದ ಮೊತ್ತವನ್ನು ಸಂಬಳದಿಂದ ಮರುಪಾವತಿ ಮಾಡಿ,
 Deduction from salary,ಸಂಬಳದಿಂದ ಕಡಿತ,
 Expired Leaves,ಅವಧಿ ಮುಗಿದ ಎಲೆಗಳು,
-Reference No,ಉಲ್ಲೇಖ ಸಂಖ್ಯೆ,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,ಕ್ಷೌರ ಶೇಕಡಾವಾರು ಎಂದರೆ ಸಾಲ ಭದ್ರತೆಯ ಮಾರುಕಟ್ಟೆ ಮೌಲ್ಯ ಮತ್ತು ಆ ಸಾಲಕ್ಕೆ ಮೇಲಾಧಾರವಾಗಿ ಬಳಸಿದಾಗ ಆ ಸಾಲ ಭದ್ರತೆಗೆ ಸೂಚಿಸಲಾದ ಮೌಲ್ಯದ ನಡುವಿನ ಶೇಕಡಾವಾರು ವ್ಯತ್ಯಾಸ.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,ಸಾಲಕ್ಕೆ ಮೌಲ್ಯ ಅನುಪಾತವು ವಾಗ್ದಾನ ಮಾಡಿದ ಭದ್ರತೆಯ ಮೌಲ್ಯಕ್ಕೆ ಸಾಲದ ಮೊತ್ತದ ಅನುಪಾತವನ್ನು ವ್ಯಕ್ತಪಡಿಸುತ್ತದೆ. ಇದು ಯಾವುದೇ ಸಾಲಕ್ಕೆ ನಿಗದಿತ ಮೌಲ್ಯಕ್ಕಿಂತ ಕಡಿಮೆಯಿದ್ದರೆ ಸಾಲ ಭದ್ರತೆಯ ಕೊರತೆಯನ್ನು ಪ್ರಚೋದಿಸುತ್ತದೆ,
 If this is not checked the loan by default will be considered as a Demand Loan,ಇದನ್ನು ಪರಿಶೀಲಿಸದಿದ್ದರೆ ಸಾಲವನ್ನು ಪೂರ್ವನಿಯೋಜಿತವಾಗಿ ಬೇಡಿಕೆ ಸಾಲವೆಂದು ಪರಿಗಣಿಸಲಾಗುತ್ತದೆ,
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,ಈ ಖಾತೆಯನ್ನು ಸಾಲಗಾರರಿಂದ ಸಾಲ ಮರುಪಾವತಿಯನ್ನು ಕಾಯ್ದಿರಿಸಲು ಮತ್ತು ಸಾಲಗಾರನಿಗೆ ಸಾಲವನ್ನು ವಿತರಿಸಲು ಬಳಸಲಾಗುತ್ತದೆ,
 This account is capital account which is used to allocate capital for loan disbursal account ,"ಈ ಖಾತೆಯು ಬಂಡವಾಳ ಖಾತೆಯಾಗಿದ್ದು, ಸಾಲ ವಿತರಣಾ ಖಾತೆಗೆ ಬಂಡವಾಳವನ್ನು ನಿಯೋಜಿಸಲು ಬಳಸಲಾಗುತ್ತದೆ",
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},ಕಾರ್ಯಾಚರಣೆ {0 the ಕೆಲಸದ ಆದೇಶ {1 to ಗೆ ಸೇರಿಲ್ಲ,
 Print UOM after Quantity,ಪ್ರಮಾಣದ ನಂತರ UOM ಅನ್ನು ಮುದ್ರಿಸಿ,
 Set default {0} account for perpetual inventory for non stock items,ಸ್ಟಾಕ್ ಅಲ್ಲದ ವಸ್ತುಗಳಿಗೆ ಶಾಶ್ವತ ದಾಸ್ತಾನುಗಾಗಿ ಡೀಫಾಲ್ಟ್ {0} ಖಾತೆಯನ್ನು ಹೊಂದಿಸಿ,
-Loan Security {0} added multiple times,ಸಾಲ ಭದ್ರತೆ {0 multiple ಅನೇಕ ಬಾರಿ ಸೇರಿಸಲಾಗಿದೆ,
-Loan Securities with different LTV ratio cannot be pledged against one loan,ವಿಭಿನ್ನ ಎಲ್‌ಟಿವಿ ಅನುಪಾತ ಹೊಂದಿರುವ ಸಾಲ ಭದ್ರತೆಗಳನ್ನು ಒಂದು ಸಾಲದ ವಿರುದ್ಧ ವಾಗ್ದಾನ ಮಾಡಲಾಗುವುದಿಲ್ಲ,
-Qty or Amount is mandatory for loan security!,ಸಾಲದ ಸುರಕ್ಷತೆಗಾಗಿ ಕ್ಯೂಟಿ ಅಥವಾ ಮೊತ್ತ ಕಡ್ಡಾಯವಾಗಿದೆ!,
-Only submittted unpledge requests can be approved,ಸಲ್ಲಿಸಿದ ಅನ್ಪ್ಲೆಡ್ಜ್ ವಿನಂತಿಗಳನ್ನು ಮಾತ್ರ ಅನುಮೋದಿಸಬಹುದು,
-Interest Amount or Principal Amount is mandatory,ಬಡ್ಡಿ ಮೊತ್ತ ಅಥವಾ ಪ್ರಧಾನ ಮೊತ್ತ ಕಡ್ಡಾಯ,
-Disbursed Amount cannot be greater than {0},ವಿತರಿಸಿದ ಮೊತ್ತವು {0 than ಗಿಂತ ಹೆಚ್ಚಿರಬಾರದು,
-Row {0}: Loan Security {1} added multiple times,ಸಾಲು {0}: ಸಾಲ ಭದ್ರತೆ {1 multiple ಅನೇಕ ಬಾರಿ ಸೇರಿಸಲಾಗಿದೆ,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,ಸಾಲು # {0}: ಮಕ್ಕಳ ಐಟಂ ಉತ್ಪನ್ನ ಬಂಡಲ್ ಆಗಿರಬಾರದು. ದಯವಿಟ್ಟು ಐಟಂ {1 ತೆಗೆದುಹಾಕಿ ಮತ್ತು ಉಳಿಸಿ,
 Credit limit reached for customer {0},ಗ್ರಾಹಕ ಕ್ರೆಡಿಟ್ ಮಿತಿಯನ್ನು ತಲುಪಿದೆ {0},
 Could not auto create Customer due to the following missing mandatory field(s):,ಈ ಕೆಳಗಿನ ಕಡ್ಡಾಯ ಕ್ಷೇತ್ರ (ಗಳು) ಕಾಣೆಯಾದ ಕಾರಣ ಗ್ರಾಹಕರನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ರಚಿಸಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ:,
diff --git a/erpnext/translations/ko.csv b/erpnext/translations/ko.csv
index e33e406..8a148ef 100644
--- a/erpnext/translations/ko.csv
+++ b/erpnext/translations/ko.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","회사가 SpA, SApA 또는 SRL 인 경우 적용 가능",
 Applicable if the company is a limited liability company,회사가 유한 책임 회사 인 경우 적용 가능,
 Applicable if the company is an Individual or a Proprietorship,회사가 개인 또는 사업주 인 경우 적용 가능,
-Applicant,응모자,
-Applicant Type,신청자 유형,
 Application of Funds (Assets),펀드의 응용 프로그램 (자산),
 Application period cannot be across two allocation records,신청 기간은 2 개의 배정 기록에 걸쳐있을 수 없습니다.,
 Application period cannot be outside leave allocation period,신청 기간은 외부 휴가 할당 기간이 될 수 없습니다,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Folio 번호가있는 사용 가능한 주주 목록,
 Loading Payment System,결제 시스템로드 중,
 Loan,차관,
-Loan Amount cannot exceed Maximum Loan Amount of {0},대출 금액은 최대 대출 금액을 초과 할 수 없습니다 {0},
-Loan Application,대출 지원서,
-Loan Management,대출 관리,
-Loan Repayment,대출 상환,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,인보이스 할인을 저장하려면 대출 시작일 및 대출 기간이 필수입니다.,
 Loans (Liabilities),대출 (부채),
 Loans and Advances (Assets),대출 및 선수금 (자산),
@@ -1611,7 +1605,6 @@
 Monday,월요일,
 Monthly,월,
 Monthly Distribution,예산 월간 배분,
-Monthly Repayment Amount cannot be greater than Loan Amount,월별 상환 금액은 대출 금액보다 클 수 없습니다,
 More,더,
 More Information,추가 정보,
 More than one selection for {0} not allowed,{0}에 대한 하나 이상의 선택 사항이 허용되지 않습니다.,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},{0} {1} 지불,
 Payable,지급,
 Payable Account,채무 계정,
-Payable Amount,지불 가능 금액,
 Payment,지불,
 Payment Cancelled. Please check your GoCardless Account for more details,지불이 취소되었습니다. 자세한 내용은 GoCardless 계정을 확인하십시오.,
 Payment Confirmation,지불 확인서,
-Payment Date,지불 날짜,
 Payment Days,지불 일,
 Payment Document,결제 문서,
 Payment Due Date,지불 기한,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,첫 구매 영수증을 입력하세요,
 Please enter Receipt Document,수신 문서를 입력하세요,
 Please enter Reference date,참고 날짜를 입력 해주세요,
-Please enter Repayment Periods,상환 기간을 입력하세요,
 Please enter Reqd by Date,Reqd by Date를 입력하십시오.,
 Please enter Woocommerce Server URL,Woocommerce Server URL을 입력하십시오.,
 Please enter Write Off Account,계정을 끄기 쓰기 입력하십시오,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,부모의 비용 센터를 입력 해주십시오,
 Please enter quantity for Item {0},제품의 수량을 입력 해주십시오 {0},
 Please enter relieving date.,날짜를 덜어 입력 해 주시기 바랍니다.,
-Please enter repayment Amount,상환 금액을 입력하세요,
 Please enter valid Financial Year Start and End Dates,유효한 회계 연도 시작 및 종료 날짜를 입력하십시오,
 Please enter valid email address,유효한 이메일 주소를 입력하십시오.,
 Please enter {0} first,첫 번째 {0}을 입력하세요,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,가격 규칙은 또한 수량에 따라 필터링됩니다.,
 Primary Address Details,기본 주소 정보,
 Primary Contact Details,기본 연락처 세부 정보,
-Principal Amount,원금,
 Print Format,인쇄 형식,
 Print IRS 1099 Forms,IRS 1099 양식 인쇄,
 Print Report Card,성적표 인쇄,
@@ -2550,7 +2538,6 @@
 Sample Collection,샘플 수집,
 Sample quantity {0} cannot be more than received quantity {1},샘플 수량 {0}은 (는) 수신 수량 {1}을 초과 할 수 없습니다.,
 Sanctioned,제재,
-Sanctioned Amount,제재 금액,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,제재 금액 행에 청구 금액보다 클 수 없습니다 {0}.,
 Sand,모래,
 Saturday,토요일,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0}에 이미 상위 절차 {1}이 있습니다.,
 API,API,
 Annual,연간,
-Approved,인가 된,
 Change,변경,
 Contact Email,담당자 이메일,
 Export Type,수출 유형,
@@ -3571,7 +3557,6 @@
 Account Value,계정 가치,
 Account is mandatory to get payment entries,지불 항목을 받으려면 계정이 필수입니다,
 Account is not set for the dashboard chart {0},대시 보드 차트 {0}에 계정이 설정되지 않았습니다.,
-Account {0} does not belong to company {1},계정 {0}이 회사에 속하지 않는 {1},
 Account {0} does not exists in the dashboard chart {1},계정 {0}이 (가) 대시 보드 차트 {1}에 없습니다.,
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,계정 : <b>{0}</b> 은 (는) 진행중인 자본 작업이며 업무 일지 항목으로 업데이트 할 수 없습니다.,
 Account: {0} is not permitted under Payment Entry,계정 : {0}은 (는) 결제 입력에서 허용되지 않습니다,
@@ -3582,7 +3567,6 @@
 Activity,활동 내역,
 Add / Manage Email Accounts.,이메일 계정 추가/관리,
 Add Child,자식 추가,
-Add Loan Security,대출 보안 추가,
 Add Multiple,여러 항목 추가,
 Add Participants,참가자 추가,
 Add to Featured Item,추천 상품에 추가,
@@ -3593,15 +3577,12 @@
 Address Line 1,1 호선 주소,
 Addresses,주소,
 Admission End Date should be greater than Admission Start Date.,입학 종료일은 입학 시작일보다 커야합니다.,
-Against Loan,대출에 대하여,
-Against Loan:,대출에 대하여 :,
 All,모두,
 All bank transactions have been created,모든 은행 거래가 생성되었습니다.,
 All the depreciations has been booked,모든 감가 상각이 예약되었습니다,
 Allocation Expired!,할당 만료!,
 Allow Resetting Service Level Agreement from Support Settings.,지원 설정에서 서비스 수준 계약 재설정 허용.,
 Amount of {0} is required for Loan closure,대출 폐쇄에는 {0}의 금액이 필요합니다,
-Amount paid cannot be zero,지불 금액은 0이 될 수 없습니다,
 Applied Coupon Code,적용 쿠폰 코드,
 Apply Coupon Code,쿠폰 코드 적용,
 Appointment Booking,약속 예약,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,드라이버 주소가 누락되어 도착 시간을 계산할 수 없습니다.,
 Cannot Optimize Route as Driver Address is Missing.,드라이버 주소가 누락되어 경로를 최적화 할 수 없습니다.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,종속 태스크 {1}이 (가) 완료 / 취소되지 않았으므로 {0} 태스크를 완료 할 수 없습니다.,
-Cannot create loan until application is approved,신청이 승인 될 때까지 대출을 만들 수 없습니다,
 Cannot find a matching Item. Please select some other value for {0}.,일치하는 항목을 찾을 수 없습니다. 에 대한 {0} 다른 값을 선택하십시오.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings",{1} 행의 {0} 항목에 {2}보다 많은 비용을 청구 할 수 없습니다. 초과 청구를 허용하려면 계정 설정에서 허용 한도를 설정하십시오.,
 "Capacity Planning Error, planned start time can not be same as end time","용량 계획 오류, 계획된 시작 시간은 종료 시간과 같을 수 없습니다",
@@ -3812,20 +3792,9 @@
 Less Than Amount,적은 금액,
 Liabilities,부채,
 Loading...,로딩 중...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,대출 금액이 제안 된 유가 증권에 따라 최대 대출 금액 {0}을 (를) 초과 함,
 Loan Applications from customers and employees.,고객 및 직원의 대출 신청.,
-Loan Disbursement,대출 지급,
 Loan Processes,대출 프로세스,
-Loan Security,대출 보안,
-Loan Security Pledge,대출 담보,
-Loan Security Pledge Created : {0},대출 담보 약정 작성 : {0},
-Loan Security Price,대출 담보 가격,
-Loan Security Price overlapping with {0},{0}과 (와) 겹치는 대출 보안 가격,
-Loan Security Unpledge,대출 보안 약속,
-Loan Security Value,대출 보안 가치,
 Loan Type for interest and penalty rates,이자 및 페널티 비율에 대한 대출 유형,
-Loan amount cannot be greater than {0},대출 금액은 {0}보다 클 수 없습니다,
-Loan is mandatory,대출은 필수입니다,
 Loans,융자,
 Loans provided to customers and employees.,고객 및 직원에게 대출 제공.,
 Location,위치,
@@ -3894,7 +3863,6 @@
 Pay,지불,
 Payment Document Type,지급 문서 유형,
 Payment Name,지불 이름,
-Penalty Amount,페널티 금액,
 Pending,대기 중,
 Performance,공연,
 Period based On,기준 기간,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,이 항목을 편집하려면 마켓 플레이스 사용자로 로그인하십시오.,
 Please login as a Marketplace User to report this item.,이 아이템을보고하려면 마켓 플레이스 사용자로 로그인하십시오.,
 Please select <b>Template Type</b> to download template,<b>템플릿</b> 을 다운로드하려면 <b>템플릿 유형</b> 을 선택하십시오,
-Please select Applicant Type first,먼저 신청자 유형을 선택하십시오,
 Please select Customer first,먼저 고객을 선택하십시오,
 Please select Item Code first,먼저 상품 코드를 선택하십시오,
-Please select Loan Type for company {0},회사 {0}의 대출 유형을 선택하십시오,
 Please select a Delivery Note,배송 메모를 선택하십시오,
 Please select a Sales Person for item: {0},품목을 판매원으로 선택하십시오 : {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',다른 지불 방법을 선택하십시오. Stripe은 통화 &#39;{0}&#39;의 트랜잭션을 지원하지 않습니다.,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},{0} 회사의 기본 은행 계좌를 설정하십시오.,
 Please specify,지정하십시오,
 Please specify a {0},{0}을 지정하십시오,lead
-Pledge Status,서약 상태,
-Pledge Time,서약 시간,
 Printing,인쇄,
 Priority,우선순위,
 Priority has been changed to {0}.,우선 순위가 {0} (으)로 변경되었습니다.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,XML 파일 처리,
 Profitability,수익성,
 Project,프로젝트,
-Proposed Pledges are mandatory for secured Loans,제안 된 서약은 담보 대출에 필수적입니다,
 Provide the academic year and set the starting and ending date.,학년을 제공하고 시작일과 종료일을 설정하십시오.,
 Public token is missing for this bank,이 은행에 공개 토큰이 없습니다.,
 Publish,게시,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,구매 영수증에 샘플 보관이 활성화 된 품목이 없습니다.,
 Purchase Return,구매 돌아 가기,
 Qty of Finished Goods Item,완제품 수량,
-Qty or Amount is mandatroy for loan security,수량 또는 금액은 대출 담보를 위해 강제입니다,
 Quality Inspection required for Item {0} to submit,{0} 항목을 제출하기 위해 품질 검사가 필요합니다.,
 Quantity to Manufacture,제조 수량,
 Quantity to Manufacture can not be zero for the operation {0},{0} 작업의 제조 수량은 0 일 수 없습니다.,
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,완화 날짜는 가입 날짜보다 크거나 같아야합니다.,
 Rename,이름,
 Rename Not Allowed,허용되지 않는 이름 바꾸기,
-Repayment Method is mandatory for term loans,상환 방법은 기간 대출에 필수적입니다,
-Repayment Start Date is mandatory for term loans,상환 시작 날짜는 기간 대출에 필수입니다,
 Report Item,보고서 항목,
 Report this Item,이 항목 신고,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,외주 계약 수량 : 외주 품목을 만들기위한 원자재 수량,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},행 ({0}) : {1}은 (는) 이미 {2}에서 할인되었습니다,
 Rows Added in {0},{0}에 추가 된 행,
 Rows Removed in {0},{0}에서 행이 제거되었습니다.,
-Sanctioned Amount limit crossed for {0} {1},승인 된 금액 한도가 {0} {1}에 대해 초과되었습니다.,
-Sanctioned Loan Amount already exists for {0} against company {1},회사 {1}에 대해 {0}에 대해 승인 된 대출 금액이 이미 존재합니다.,
 Save,저장,
 Save Item,아이템 저장,
 Saved Items,저장된 아이템,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,{0} 사용자가 비활성화되어 있습니다,
 Users and Permissions,사용자 및 권한,
 Vacancies cannot be lower than the current openings,공석은 현재 공석보다 낮을 수 없습니다,
-Valid From Time must be lesser than Valid Upto Time.,유효 시작 시간은 유효 가동 시간보다 작아야합니다.,
 Valuation Rate required for Item {0} at row {1},{1} 행의 항목 {0}에 필요한 평가율,
 Values Out Of Sync,동기화되지 않은 값,
 Vehicle Type is required if Mode of Transport is Road,운송 수단 모드가 도로 인 경우 차량 유형이 필요합니다.,
@@ -4211,7 +4168,6 @@
 Add to Cart,쇼핑 카트에 담기,
 Days Since Last Order,마지막 주문 이후 일,
 In Stock,재고 있음,
-Loan Amount is mandatory,대출 금액은 필수입니다,
 Mode Of Payment,결제 방식,
 No students Found,학생이 없습니다,
 Not in Stock,재고에,
@@ -4240,7 +4196,6 @@
 Group by,그룹으로,
 In stock,재고,
 Item name,품명,
-Loan amount is mandatory,대출 금액은 필수입니다,
 Minimum Qty,최소 수량,
 More details,세부정보 더보기,
 Nature of Supplies,자연의 공급,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,총 완성 된 수량,
 Qty to Manufacture,제조하는 수량,
 Repay From Salary can be selected only for term loans,Repay From Salary는 기간 대출에 대해서만 선택할 수 있습니다.,
-No valid Loan Security Price found for {0},{0}에 대한 유효한 대출 담보 가격이 없습니다.,
-Loan Account and Payment Account cannot be same,대출 계정과 결제 계정은 동일 할 수 없습니다.,
-Loan Security Pledge can only be created for secured loans,대출 담보 서약은 담보 대출에 대해서만 생성 할 수 있습니다.,
 Social Media Campaigns,소셜 미디어 캠페인,
 From Date can not be greater than To Date,시작 날짜는 종료 날짜보다 클 수 없습니다.,
 Please set a Customer linked to the Patient,환자와 연결된 고객을 설정하십시오,
@@ -6437,7 +6389,6 @@
 HR User,HR 사용자,
 Appointment Letter,약속 편지,
 Job Applicant,구직자,
-Applicant Name,신청자 이름,
 Appointment Date,약속 날짜,
 Appointment Letter Template,편지지 템플릿-약속,
 Body,몸,
@@ -7059,99 +7010,12 @@
 Sync in Progress,진행중인 동기화,
 Hub Seller Name,허브 판매자 이름,
 Custom Data,맞춤 데이터,
-Member,회원,
-Partially Disbursed,부분적으로 지급,
-Loan Closure Requested,대출 마감 요청,
 Repay From Salary,급여에서 상환,
-Loan Details,대출 세부 사항,
-Loan Type,대출 유형,
-Loan Amount,대출금,
-Is Secured Loan,담보 대출,
-Rate of Interest (%) / Year,이자 (%) / 년의 속도,
-Disbursement Date,지급 날짜,
-Disbursed Amount,지불 금액,
-Is Term Loan,임기 대출,
-Repayment Method,상환 방법,
-Repay Fixed Amount per Period,기간 당 고정 금액을 상환,
-Repay Over Number of Periods,기간의 동안 수 상환,
-Repayment Period in Months,개월의 상환 기간,
-Monthly Repayment Amount,월별 상환 금액,
-Repayment Start Date,상환 시작일,
-Loan Security Details,대출 보안 세부 사항,
-Maximum Loan Value,최대 대출 가치,
-Account Info,계정 정보,
-Loan Account,대출 계좌,
-Interest Income Account,이자 소득 계정,
-Penalty Income Account,페널티 소득 계정,
-Repayment Schedule,상환 일정,
-Total Payable Amount,총 채무 금액,
-Total Principal Paid,총 교장 지불,
-Total Interest Payable,채무 총 관심,
-Total Amount Paid,총 지불 금액,
-Loan Manager,대출 관리자,
-Loan Info,대출 정보,
-Rate of Interest,관심의 속도,
-Proposed Pledges,제안 된 서약,
-Maximum Loan Amount,최대 대출 금액,
-Repayment Info,상환 정보,
-Total Payable Interest,총 채무이자,
-Against Loan ,대출 반대,
-Loan Interest Accrual,대출이자 발생,
-Amounts,금액,
-Pending Principal Amount,보류 원금,
-Payable Principal Amount,지불 가능한 원금,
-Paid Principal Amount,지불 된 원금,
-Paid Interest Amount,지급이자 금액,
-Process Loan Interest Accrual,대부이자 발생 프로세스,
-Repayment Schedule Name,상환 일정 이름,
 Regular Payment,정기 지불,
 Loan Closure,대출 폐쇄,
-Payment Details,지불 세부 사항,
-Interest Payable,채무,
-Amount Paid,지불 금액,
-Principal Amount Paid,원금 지급,
-Repayment Details,상환 내역,
-Loan Repayment Detail,대출 상환 내역,
-Loan Security Name,대출 보안 이름,
-Unit Of Measure,측정 단위,
-Loan Security Code,대출 보안 코드,
-Loan Security Type,대출 보안 유형,
-Haircut %,이발 %,
-Loan  Details,대출 세부 사항,
-Unpledged,약속하지 않은,
-Pledged,서약,
-Partially Pledged,부분적으로 서약,
-Securities,유가 증권,
-Total Security Value,총 보안 가치,
-Loan Security Shortfall,대출 보안 부족,
-Loan ,차관,
-Shortfall Time,부족 시간,
-America/New_York,아메리카 / 뉴욕,
-Shortfall Amount,부족 금액,
-Security Value ,보안 가치,
-Process Loan Security Shortfall,프로세스 대출 보안 부족,
-Loan To Value Ratio,대출 대 가치 비율,
-Unpledge Time,약속 시간,
-Loan Name,대출 이름,
 Rate of Interest (%) Yearly,이자의 비율 (%) 연간,
-Penalty Interest Rate (%) Per Day,페널티 이율 (%),
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,페널티 이율은 상환이 지연되는 경우 미결제 금액에 매일 부과됩니다.,
-Grace Period in Days,일의 유예 기간,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,대출 상환이 지연된 경우 위약금이 부과되지 않는 기한까지의 일수,
-Pledge,서약,
-Post Haircut Amount,이발 후 금액,
-Process Type,프로세스 유형,
-Update Time,업데이트 시간,
-Proposed Pledge,제안 된 서약,
-Total Payment,총 결제,
-Balance Loan Amount,잔액 대출 금액,
-Is Accrued,발생,
 Salary Slip Loan,샐러리 슬립 론,
 Loan Repayment Entry,대출 상환 항목,
-Sanctioned Loan Amount,승인 된 대출 금액,
-Sanctioned Amount Limit,승인 된 금액 한도,
-Unpledge,서약,
-Haircut,이발,
 MAT-MSH-.YYYY.-,MAT-MSH- .YYYY.-,
 Generate Schedule,일정을 생성,
 Schedules,일정,
@@ -7885,7 +7749,6 @@
 Update Series,업데이트 시리즈,
 Change the starting / current sequence number of an existing series.,기존 시리즈의 시작 / 현재의 순서 번호를 변경합니다.,
 Prefix,접두사,
-Current Value,현재 값,
 This is the number of the last created transaction with this prefix,이것은이 접두사를 마지막으로 생성 된 트랜잭션의 수입니다,
 Update Series Number,업데이트 시리즈 번호,
 Quotation Lost Reason,견적 잃어버린 이유,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise는 재주문 수준에게 추천,
 Lead Details,리드 세부 사항,
 Lead Owner Efficiency,리드 소유자 효율성,
-Loan Repayment and Closure,대출 상환 및 폐쇄,
-Loan Security Status,대출 보안 상태,
 Lost Opportunity,잃어버린 기회,
 Maintenance Schedules,관리 스케줄,
 Material Requests for which Supplier Quotations are not created,공급 업체의 견적이 생성되지 않는 자재 요청,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},타겟팅 된 수 : {0},
 Payment Account is mandatory,결제 계정은 필수입니다.,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.",선택하면 신고 또는 증명 제출없이 소득세를 계산하기 전에 과세 소득에서 전체 금액이 공제됩니다.,
-Disbursement Details,지불 세부 사항,
 Material Request Warehouse,자재 요청 창고,
 Select warehouse for material requests,자재 요청을위한 창고 선택,
 Transfer Materials For Warehouse {0},창고 {0}의 자재 전송,
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,급여에서 미 청구 금액 상환,
 Deduction from salary,급여에서 공제,
 Expired Leaves,만료 된 잎,
-Reference No,참조 번호,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,이발 비율은 대출 담보의 시장 가치와 해당 대출에 대한 담보로 사용될 때 해당 대출 담보에 귀속되는 가치 간의 백분율 차이입니다.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,대출 가치 비율은 담보 담보 가치에 대한 대출 금액의 비율을 나타냅니다. 대출에 대해 지정된 값 이하로 떨어지면 대출 담보 부족이 발생합니다.,
 If this is not checked the loan by default will be considered as a Demand Loan,선택하지 않으면 기본적으로 대출이 수요 대출로 간주됩니다.,
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,이 계정은 차용인의 대출 상환을 예약하고 차용인에게 대출금을 지급하는 데 사용됩니다.,
 This account is capital account which is used to allocate capital for loan disbursal account ,이 계정은 대출 지급 계정에 자본을 할당하는 데 사용되는 자본 계정입니다.,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},{0} 작업이 작업 주문 {1}에 속하지 않습니다.,
 Print UOM after Quantity,수량 후 UOM 인쇄,
 Set default {0} account for perpetual inventory for non stock items,비 재고 품목의 계속 기록법에 대한 기본 {0} 계정 설정,
-Loan Security {0} added multiple times,대출 담보 {0}이 (가) 여러 번 추가되었습니다.,
-Loan Securities with different LTV ratio cannot be pledged against one loan,LTV 비율이 다른 대출 증권은 하나의 대출에 대해 담보 할 수 없습니다.,
-Qty or Amount is mandatory for loan security!,대출 담보를 위해 수량 또는 금액은 필수입니다!,
-Only submittted unpledge requests can be approved,제출 된 미 서약 요청 만 승인 할 수 있습니다.,
-Interest Amount or Principal Amount is mandatory,이자 금액 또는 원금 금액은 필수입니다.,
-Disbursed Amount cannot be greater than {0},지불 된 금액은 {0}보다 클 수 없습니다.,
-Row {0}: Loan Security {1} added multiple times,{0} 행 : 대출 담보 {1}가 여러 번 추가됨,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,행 # {0} : 하위 항목은 제품 번들이 아니어야합니다. {1} 항목을 제거하고 저장하십시오.,
 Credit limit reached for customer {0},고객 {0}의 신용 한도에 도달했습니다.,
 Could not auto create Customer due to the following missing mandatory field(s):,다음 누락 된 필수 필드로 인해 고객을 자동 생성 할 수 없습니다.,
diff --git a/erpnext/translations/ku.csv b/erpnext/translations/ku.csv
index 35317cf..92a7231 100644
--- a/erpnext/translations/ku.csv
+++ b/erpnext/translations/ku.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Heke ku pargîdaniya SpA, SApA an SRL ye serlêdan e",
 Applicable if the company is a limited liability company,"Heke ku pargîdan pargîdaniyek bi berpirsiyariya tixûbdar be, pêve dibe",
 Applicable if the company is an Individual or a Proprietorship,"Heke ku pargîdanek kesek kesek an Xwedîtiyê ye, pêkan e",
-Applicant,Namzêd,
-Applicant Type,Tîpa daxwaznameyê,
 Application of Funds (Assets),Sepanê ji Funds (Maldarî),
 Application period cannot be across two allocation records,Dema serîlêdanê dikare di raporta her du alavê de ne,
 Application period cannot be outside leave allocation period,dema Application nikare bibe îzina li derve dema dabeşkirina,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Lîsteya parvekirî yên bi bi hejmarên folio re hene,
 Loading Payment System,Pergala Paydayê,
 Loan,Sened,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Deyn Mîqdar dikarin Maximum Mîqdar deyn ji mideyeka ne bêtir ji {0},
-Loan Application,Serlêdanê deyn,
-Loan Management,Rêveberiya Lînan,
-Loan Repayment,"dayinê, deyn",
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Dîroka Destpêkê û Kevana Dravê Barkirina Dravê Dagirkirinê mecbûr in,
 Loans (Liabilities),Deyn (Deynên),
 Loans and Advances (Assets),Deynan û pêşketina (Maldarî),
@@ -1611,7 +1605,6 @@
 Monday,Duşem,
 Monthly,Mehane,
 Monthly Distribution,Belavkariya mehane,
-Monthly Repayment Amount cannot be greater than Loan Amount,Şêwaz vegerandinê mehane ne dikarin bibin mezintir Loan Mîqdar,
 More,Zêde,
 More Information,Information More,
 More than one selection for {0} not allowed,Ji hilbijartina zêdetir ji {0} nayê destûr kirin,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Pay {0} {1},
 Payable,Erzan,
 Payable Account,Account cîhde,
-Payable Amount,Mîqdara mestir,
 Payment,Diravdanî,
 Payment Cancelled. Please check your GoCardless Account for more details,Payment Cancel. Ji kerema xwe ji berfirehtir ji bo Agahdariya GoCardless binihêre,
 Payment Confirmation,Daxuyaniya Tezmînatê,
-Payment Date,Date Payment,
 Payment Days,Rojan Payment,
 Payment Document,Dokumentê Payment,
 Payment Due Date,Payment Date ji ber,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,Ji kerema xwe ve yekem Meqbûz Purchase binivîse,
 Please enter Receipt Document,Ji kerema xwe ve dokumênt Meqbûz binivîse,
 Please enter Reference date,Ji kerema xwe ve date Çavkanî binivîse,
-Please enter Repayment Periods,Ji kerema xwe ve Maweya vegerandinê binivîse,
 Please enter Reqd by Date,Ji kerema xwe re Reqd bi dahatinê binivîse,
 Please enter Woocommerce Server URL,Ji kerema xwe kerema xwe ya Woocommerce Server URL,
 Please enter Write Off Account,Ji kerema xwe re têkevin hewe Off Account,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,Ji kerema xwe ve navenda mesrefa bav binivîse,
 Please enter quantity for Item {0},Ji kerema xwe ve dorpêçê de ji bo babet binivîse {0},
 Please enter relieving date.,Ji kerema xwe ve date ûjdanê xwe binivîse.,
-Please enter repayment Amount,"Ji kerema xwe ve Mîqdar dayinê, binivîse",
 Please enter valid Financial Year Start and End Dates,Ji kerema xwe ve derbas dibe Financial Sal destpêkirin û dawîlêanîna binivîse,
 Please enter valid email address,"Kerema xwe, navnîşana email derbasdar têkeve ji",
 Please enter {0} first,Ji kerema xwe {0} yekem binivîse,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Rules Pricing bi zêdetir li ser bingeha dorpêçê de tê fîltrekirin.,
 Primary Address Details,Agahdarî Navnîşan,
 Primary Contact Details,Agahdarî Têkiliyên Serûpel,
-Principal Amount,Şêwaz sereke,
 Print Format,Print Format,
 Print IRS 1099 Forms,Formên IRS 1099 çap bikin,
 Print Report Card,Karta Raporta Print,
@@ -2550,7 +2538,6 @@
 Sample Collection,Collection Collection,
 Sample quantity {0} cannot be more than received quantity {1},Kêmeya nimûne {0} dikare ji hêla mêjûya wergirtiye {1},
 Sanctioned,belê,
-Sanctioned Amount,Şêwaz ambargoyê,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Şêwaz belê ne dikarin li Row mezintir Mîqdar Îdîaya {0}.,
 Sand,Qûm,
 Saturday,Şemî,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} ji berê ve heye Parent Procedure {1}.,
 API,API,
 Annual,Yeksalî,
-Approved,pejirandin,
 Change,Gûherrandinî,
 Contact Email,Contact Email,
 Export Type,Tîpa Exportê,
@@ -3571,7 +3557,6 @@
 Account Value,Nirxa Hesabê,
 Account is mandatory to get payment entries,Hesab mecbûr e ku meriv şîfreyên dayînê bistîne,
 Account is not set for the dashboard chart {0},Hesabê ji bo tabela dashboardê nehatiye destnîşankirin {0,
-Account {0} does not belong to company {1},Account {0} nayê to Company girêdayî ne {1},
 Account {0} does not exists in the dashboard chart {1},Hesabê {0} di pîvanê dashboardê de tune {1,
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Hesab: <b>{0}</b> sermaye Karê pêşveçûnê ye û nikare ji hêla Journal Entry-ê ve were nûve kirin,
 Account: {0} is not permitted under Payment Entry,Hesab: under 0 under ne di bin Tevlêbûna Danezanê de nayê destûr kirin,
@@ -3582,7 +3567,6 @@
 Activity,Çalakî,
 Add / Manage Email Accounts.,Lê zêde bike / Manage Accounts Email.,
 Add Child,lê zêde bike Zarokan,
-Add Loan Security,Ewlehiya deyn zêde bikin,
 Add Multiple,lê zêde bike Multiple,
 Add Participants,Beşdarvanan,
 Add to Featured Item,Vebijarka Taybetmendeyê Zêde Bikin,
@@ -3593,15 +3577,12 @@
 Address Line 1,Xeta Navnîşanê 1,
 Addresses,Navnîşan,
 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.,
-Against Loan,Li dijî deyn,
-Against Loan:,Li hember deyn:,
 All,Gişt,
 All bank transactions have been created,Hemî danûstendinên bankê hatine afirandin,
 All the depreciations has been booked,Hemî zexîreyan hatîye pirtûk kirin,
 Allocation Expired!,Tevnegirtî qedand!,
 Allow Resetting Service Level Agreement from Support Settings.,Ji Settings Piştgiriyê Pêdivî ye ku Peymana Nirxandina Asta Karûbarê Reset bidin.,
 Amount of {0} is required for Loan closure,Ji bo girtina deyn mîqdara {0 hewce ye,
-Amount paid cannot be zero,Dravê drav nikare zer be,
 Applied Coupon Code,Koda kodê ya sepandî,
 Apply Coupon Code,Koda kodê bicîh bikin,
 Appointment Booking,Kirrûbirra Serdanê,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,Asawa ku Navnîşa Driver Bila winda nebe Qeyda Demî tê hesab kirin.,
 Cannot Optimize Route as Driver Address is Missing.,Dibe ku Riya ku Addressêwirmendiya Driver winda nabe dikare Rêz bike.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Karê complete 0} wekî peywira wê ya têkildar {1} nikare were domandin / betal kirin.,
-Cannot create loan until application is approved,Heta ku serlêdan pesend nekirin nekarîn,
 Cannot find a matching Item. Please select some other value for {0}.,"Can a Hêmanên nedît. Ji kerema xwe re hin nirxên din, ji bo {0} hilbijêre.",
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Nabe ku ji bo Item 0} di rêzikê {1} de ji {2} pirtir were birîn. Ji bo destûrdayîna zêdekirina billing, ji kerema xwe di Settingsên Hesaban de yarmetiyê bidin",
 "Capacity Planning Error, planned start time can not be same as end time","Erewtiya plansaziya kapasîteyê, dema destpêkirina plankirî nikare wekî dema paşîn yek be",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Mûçeya Kêmtir,
 Liabilities,Serserî,
 Loading...,Loading ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Mîqdara krediyê ji her nirxa kredî ya herî kêm {0} bi gorî secdeyên ewlekariyê yên pêşniyaztir re derbas dibe,
 Loan Applications from customers and employees.,Serlêdanên deyn ji kirrûbir û karmendan.,
-Loan Disbursement,Dabeşkirina deyn,
 Loan Processes,Pêvajoyên deyn,
-Loan Security,Ewlekariya deyn,
-Loan Security Pledge,Soza Ewlekariya Krediyê,
-Loan Security Pledge Created : {0},Sozê Ewlekariya Krediyê Afirandin: {0,
-Loan Security Price,Bihayê ewlehiya deyn,
-Loan Security Price overlapping with {0},Buhayê ewlehiya kredî bi {0 re dibe hev.,
-Loan Security Unpledge,Yekbûnek Ewlekariya Krediyê,
-Loan Security Value,Nirxa ewlehiya deyn,
 Loan Type for interest and penalty rates,Tîpa deyn ji bo rêjeyên rêjeyê û cezayê,
-Loan amount cannot be greater than {0},Dravê kredî nikare ji {0 greater mezintir be,
-Loan is mandatory,Kredî mecbûrî ye,
 Loans,Deynî,
 Loans provided to customers and employees.,Kredî ji bo mişterî û karmendan peyda kirin.,
 Location,Cîh,
@@ -3894,7 +3863,6 @@
 Pay,Diravdanî,
 Payment Document Type,Tipa Belgeya Dravê,
 Payment Name,Navê Payment,
-Penalty Amount,Hêjeya Cezayê,
 Pending,Nexelas,
 Performance,Birêvebirinî,
 Period based On,Period li ser bingeha,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,Ji kerema xwe wekî Bikarhênerek Bazarê têkeve da ku ev tişt biguherîne.,
 Please login as a Marketplace User to report this item.,Ji kerema xwe wekî Bikarhênerek Bazarê têkeve da ku vê babetê ragihînin.,
 Please select <b>Template Type</b> to download template,Ji kerema xwe hilbijêrin <b>şablonê</b> hilbijêrin,
-Please select Applicant Type first,Ji kerema xwe Type Type Applicant yekem hilbijêrin,
 Please select Customer first,Ji kerema xwe yekem Xerîdar hilbijêrin,
 Please select Item Code first,Ji kerema xwe Koda kodê yekem hilbijêrin,
-Please select Loan Type for company {0},Ji kerema xwe ji bo pargîdaniya Type 0 Hilbijêra krediyê hilbijêrin,
 Please select a Delivery Note,Ji kerema xwe Nîşanek Delivery hilbijêre,
 Please select a Sales Person for item: {0},Ji kerema xwe Kesek Firotanê ji bo tiştên: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Tikaye din rêbaza dayina hilbijêre. Stripe nade muamele li currency piştgiriya ne &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Ji kerema xwe ji bo pargîdaniya account 0 account hesabek banka bêkêmasî saz bikin.,
 Please specify,ji kerema xwe binivîsin,
 Please specify a {0},Ji kerema xwe {0 diyar bikin,lead
-Pledge Status,Rewşa sozê,
-Pledge Time,Wexta Sersalê,
 Printing,Çapnivîs,
 Priority,Pêşeyî,
 Priority has been changed to {0}.,Pêşîniya bi {0 ve hatî guhertin.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Pelên XML-ê pêşve kirin,
 Profitability,Profitability,
 Project,Rêvename,
-Proposed Pledges are mandatory for secured Loans,Sozên pêşniyar ji bo deynên pêbawer mecbûr in,
 Provide the academic year and set the starting and ending date.,Sala akademîk peyda bikin û tarîxa destpêk û dawiyê destnîşan dikin.,
 Public token is missing for this bank,Nîşana giştî ji bo vê bankeyê winda ye,
 Publish,Weşandin,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Pêşwaziya Kirînê Itemê Tişteyek ji bo Tiştê Nimêja Hesabdayînê hatî tune.,
 Purchase Return,Return kirîn,
 Qty of Finished Goods Item,Qant of Tiştên Hilberandî,
-Qty or Amount is mandatroy for loan security,Qty an Amount ji bo ewlehiya krediyê mandatroy e,
 Quality Inspection required for Item {0} to submit,Inspavdêriya Qalîtan ji bo şandina tiştan required 0 required hewce ye,
 Quantity to Manufacture,Hêjeya Hilberînê,
 Quantity to Manufacture can not be zero for the operation {0},Hejmara Hilberînê ji bo karûbarê nabe 0 can,
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Dîroka Baweriyê ji Dîroka Beşdariyê divê ji Mezin an Dîroka Beşdariyê mezintir be,
 Rename,Nav biguherîne,
 Rename Not Allowed,Navnedayin Nakokirin,
-Repayment Method is mandatory for term loans,Rêbaza vegerandina ji bo deynên termîn mecbûrî ye,
-Repayment Start Date is mandatory for term loans,Dîroka Ragihandina Dravê ji bo deynên termîn mecbûrî ye,
 Report Item,Report Babetê,
 Report this Item,Vê rapor bike,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Qiyama Reserve ji bo Nekokkêşanê: Kêmasiya madeyên xav ji bo çêkirina tiştên pêvekirî.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Row ({0}): {1 already li pêşiya discount 2 already ye.,
 Rows Added in {0},Rêzan in 0 Added,
 Rows Removed in {0},Rêzan li {0 oved hatin rakirin,
-Sanctioned Amount limit crossed for {0} {1},Sanctioned Sount limit of {0} {1,
-Sanctioned Loan Amount already exists for {0} against company {1},Mîqdara Sînorê Sanctioned ji bo company 0} li dijî pargîdaniya {1 exists heye,
 Save,Rizgarkirin,
 Save Item,Tiştê hilîne,
 Saved Items,Tiştên hatine tomarkirin,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Bikarhêner {0} neçalak e,
 Users and Permissions,Bikarhêner û Permissions,
 Vacancies cannot be lower than the current openings,Dezgehên vala nikarin ji vebûnên heyî kêmtir bin,
-Valid From Time must be lesser than Valid Upto Time.,Divê Bawer Ji Ser Qedrê idltî ya Valid Pêdivî bimîne.,
 Valuation Rate required for Item {0} at row {1},Rêjeya nirxînê ya ku ji bo Pîvanê {0} li row {1 required pêwîst e,
 Values Out Of Sync,Nirxên Ji Hevpeymaniyê derketin,
 Vehicle Type is required if Mode of Transport is Road,Ger Mode Veguhestina Rê ye Tîpa Vehêabe ye,
@@ -4211,7 +4168,6 @@
 Add to Cart,Têxe,
 Days Since Last Order,Rojên ji Fermana Dawîn,
 In Stock,Ez bêzarim,
-Loan Amount is mandatory,Mîqdara mûçeyê mecbûrî ye,
 Mode Of Payment,Mode Kredî,
 No students Found,Xwendekar nehat dîtin,
 Not in Stock,Ne li Stock,
@@ -4240,7 +4196,6 @@
 Group by,Koma By,
 In stock,Ez bêzarim,
 Item name,Navê Navekî,
-Loan amount is mandatory,Mîqdara mûçeyê mecbûrî ye,
 Minimum Qty,Min Qty,
 More details,Details More,
 Nature of Supplies,Nature of Supplies,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Bi tevahî Qty qedand,
 Qty to Manufacture,Qty To Manufacture,
 Repay From Salary can be selected only for term loans,Repay Ji Meaşê tenê ji bo deynên demdirêj dikare were hilbijartin,
-No valid Loan Security Price found for {0},Ji bo {0} Bihayê Ewlekariya Deynê ya derbasdar nehat dîtin,
-Loan Account and Payment Account cannot be same,Hesabê kredî û Hesabê drav nikare yek be,
-Loan Security Pledge can only be created for secured loans,Soza Ewlekariya Kredî tenê ji bo krediyên ewledar dikare were afirandin,
 Social Media Campaigns,Kampanyayên Medyaya Civakî,
 From Date can not be greater than To Date,Ji Dîrok nikare ji Tarîxê mezintir be,
 Please set a Customer linked to the Patient,Ji kerema xwe Xerîdarek bi Nexweş ve girêdayî ye,
@@ -6437,7 +6389,6 @@
 HR User,Bikarhêner hr,
 Appointment Letter,Nameya Ragihandinê,
 Job Applicant,Applicant Job,
-Applicant Name,Navê Applicant,
 Appointment Date,Dîroka Serdanê,
 Appointment Letter Template,Letablonê Destnivîsînê,
 Body,Beden,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Sync di Pêşveçûnê de,
 Hub Seller Name,Navê Nîgarê Hub,
 Custom Data,Daneyên Taybetî,
-Member,Endam,
-Partially Disbursed,Qismen dandin de,
-Loan Closure Requested,Daxwaza Girtina Krediyê,
 Repay From Salary,H&#39;eyfê ji Salary,
-Loan Details,deyn Details,
-Loan Type,Type deyn,
-Loan Amount,Şêwaz deyn,
-Is Secured Loan,Krediyek Ewlehî ye,
-Rate of Interest (%) / Year,Rêjeya faîzên (%) / Sal,
-Disbursement Date,Date Disbursement,
-Disbursed Amount,Bihayek hat belav kirin,
-Is Term Loan,Termertê deyn e,
-Repayment Method,Method vegerandinê,
-Repay Fixed Amount per Period,Bergîdana yekûnê sabît Period,
-Repay Over Number of Periods,Bergîdana Hejmara Over ji Maweya,
-Repayment Period in Months,"Period dayinê, li Meh",
-Monthly Repayment Amount,Şêwaz vegerandinê mehane,
-Repayment Start Date,Repayment Date Start,
-Loan Security Details,Nîşaneyên ewlehiyê yên deyn,
-Maximum Loan Value,Nirxa deynê pirtirkêmtirîn,
-Account Info,Info account,
-Loan Account,Account,
-Interest Income Account,Account Dahata Interest,
-Penalty Income Account,Hesabê hatiniya darayî,
-Repayment Schedule,Cedwela vegerandinê,
-Total Payable Amount,Temamê meblaxa cîhde,
-Total Principal Paid,Tevahiya Sereke Bêserûber,
-Total Interest Payable,Interest Total cîhde,
-Total Amount Paid,Tiştek Tiştek Paid,
-Loan Manager,Gerînendeyê deyn,
-Loan Info,deyn Info,
-Rate of Interest,Rêjeya faîzên,
-Proposed Pledges,Sozên pêşniyaz,
-Maximum Loan Amount,Maximum Mîqdar Loan,
-Repayment Info,Info vegerandinê,
-Total Payable Interest,Total sûdî,
-Against Loan ,Li dijî Deyn,
-Loan Interest Accrual,Qertê Drav erîf,
-Amounts,Mîqdar,
-Pending Principal Amount,Li benda Dravê Sereke,
-Payable Principal Amount,Dravê Mîrê Sêwasê,
-Paid Principal Amount,Mîqdara Prensîbê Bihayî,
-Paid Interest Amount,Mîqdara Dravê Danê,
-Process Loan Interest Accrual,Nerazîbûna Sererkaniyê Qerase,
-Repayment Schedule Name,Navê Bernameya Vegerînê,
 Regular Payment,Dravdana birêkûpêk,
 Loan Closure,Girtina deyn,
-Payment Details,Agahdarî,
-Interest Payable,Dravê Bacê,
-Amount Paid,Şêwaz: Destkeftiyên,
-Principal Amount Paid,Mîqdara Parzûnê Pêdivî ye,
-Repayment Details,Agahdariyên Vegerînê,
-Loan Repayment Detail,Detail Vegerîna Deynê,
-Loan Security Name,Navê ewlehiya deyn,
-Unit Of Measure,Yekeya Pîvanê,
-Loan Security Code,Koda ewlehiya deyn,
-Loan Security Type,Tîpa ewlehiya deyn,
-Haircut %,Rêzika%,
-Loan  Details,Hûrguliyên krediyê,
-Unpledged,Nexşandî,
-Pledged,Soz dan,
-Partially Pledged,Beşdarî soz dan,
-Securities,Ertên ewlehiyê,
-Total Security Value,Nirxa ewlehiya tevahî,
-Loan Security Shortfall,Kêmasiya ewlehiya deyn,
-Loan ,Sened,
-Shortfall Time,Demjimara kêmbûnê,
-America/New_York,Amerîka / New_York,
-Shortfall Amount,Kêmasiya Kêmasî,
-Security Value ,Nirxa ewlehiyê,
-Process Loan Security Shortfall,Pêvajoya Ewlekariya Krediya Qedrê,
-Loan To Value Ratio,Rêjeya nirxê deyn,
-Unpledge Time,Wextê Unpledge,
-Loan Name,Navê deyn,
 Rate of Interest (%) Yearly,Rêjeya faîzên (%) Hit,
-Penalty Interest Rate (%) Per Day,Rêjeya restertê Cezayê (%) Rojê,
-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,
-Grace Period in Days,Di Rojan de Grace Period,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,Hejmara rojan ji roja çêbûnê heya ku ceza dê neyê girtin di rewşa derengmayîna vegerandina deyn de,
-Pledge,Berdêl,
-Post Haircut Amount,Mûçeya Pêkanîna Porê Porê,
-Process Type,Type Type,
-Update Time,Wexta nûvekirinê,
-Proposed Pledge,Sozdar pêşniyar,
-Total Payment,Total Payment,
-Balance Loan Amount,Balance Loan Mîqdar,
-Is Accrued,Qebûlkirin e,
 Salary Slip Loan,Heqfa Slip Loan,
 Loan Repayment Entry,Navnîşa Veberhênana Deynê,
-Sanctioned Loan Amount,Mîqdara deynek sincirî,
-Sanctioned Amount Limit,Sînorê Rêjeya Sanctioned,
-Unpledge,Jêderketin,
-Haircut,Porjêkirî,
 MAT-MSH-.YYYY.-,MAT-MSH-YYYY-,
 Generate Schedule,Çêneke Cedwela,
 Schedules,schedules,
@@ -7885,7 +7749,6 @@
 Update Series,update Series,
 Change the starting / current sequence number of an existing series.,Guhertina Guherandinên / hejmara cihekê niha ya series heyî.,
 Prefix,Pêşkîte,
-Current Value,Nirx niha:,
 This is the number of the last created transaction with this prefix,"Ev hejmara dawî ya muameleyan tên afirandin, bi vê prefix e",
 Update Series Number,Update Hejmara Series,
 Quotation Lost Reason,Quotation Lost Sedem,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise Baştir DIRTYHERTZ Level,
 Lead Details,Details Lead,
 Lead Owner Efficiency,Efficiency Xwedîyê Lead,
-Loan Repayment and Closure,Deyn û Ragihandin,
-Loan Security Status,Rewşa ewlehiya deyn,
 Lost Opportunity,Derfetek winda kir,
 Maintenance Schedules,Schedules Maintenance,
 Material Requests for which Supplier Quotations are not created,Daxwazên madî ji bo ku Quotations Supplier bi tên bi,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Jimareyên Armanc: {0},
 Payment Account is mandatory,Hesabê dayinê ferz e,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Ger were seh kirin, dê tevahî mîqdara ku ji ber baca dahatê nayê hesibandin bêyî daxuyaniyek an radestkirina delîlê ji dahata bacê tê daxistin.",
-Disbursement Details,Agahdariyên Dabeşkirinê,
 Material Request Warehouse,Depoya Daxwaza Materyalê,
 Select warehouse for material requests,Ji bo daxwazên materyalê embarê hilbijêrin,
 Transfer Materials For Warehouse {0},Materyalên Veguhêzbar Ji bo Warehouse {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Mûçeya nevekirî ji meaşê paşde bidin,
 Deduction from salary,Daxistina ji meaş,
 Expired Leaves,Pelên Dawî,
-Reference No,Çavkanî No.,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,Rêjeya porrêjiyê cûdahiya ji sedî ya di navbera nirxê bazara Ewlehiya Deynê û nirxa ku ji Ewlekariya Deynê re tê vegotin e dema ku ji bo wê krediyê wekî pêgir tê bikar anîn.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,"Rêjeya Loan To Value rêjeya mîqdara deyn bi nirxê ewlehiya ku hatî vexwendin îfade dike. Heke ev ji binî nirxa diyarkirî ya ji bo her deynek dakeve, dê kêmasiyek ewlehiya krediyê were peyda kirin",
 If this is not checked the loan by default will be considered as a Demand Loan,Ger ev neyê kontrol kirin dê deyn bi default dê wekî Krediyek Daxwaz were hesibandin,
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Ev hesab ji bo veqetandina vegerandinên deyn ji deyndêr û her weha dayîna deyn ji deyndêr re tê bikar anîn,
 This account is capital account which is used to allocate capital for loan disbursal account ,Ev hesab hesabê sermiyan e ku ji bo veqetandina sermaye ji bo hesabê dayîna kredî tê bikar anîn,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Operasyona {0} ne ya emrê xebatê ye {1},
 Print UOM after Quantity,Li dû Hêmanê UOM çap bikin,
 Set default {0} account for perpetual inventory for non stock items,Ji bo tomarokên ne pargîdanî ji bo envanterê domdar hesabê {0} default bikin,
-Loan Security {0} added multiple times,Ewlekariya Krediyê {0} gelek caran zêde kir,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Ewlekariyên Deynê yên bi rêjeya LTV-ya cûda nikarin li hember yek deynek werin dayin,
-Qty or Amount is mandatory for loan security!,Ji bo ewlehiya kredî Qty an Mêjû mecbûrî ye!,
-Only submittted unpledge requests can be approved,Tenê daxwazên nenaskirî yên şandin têne pejirandin,
-Interest Amount or Principal Amount is mandatory,Mezinahiya Berjewendiyê an Mezinahiya Sereke mecbûrî ye,
-Disbursed Amount cannot be greater than {0},Hejmara Dabeşandî nikare ji {0} mezintir be,
-Row {0}: Loan Security {1} added multiple times,Rêz {0}: Ewlehiya Deyn {1} gelek caran zêde kir,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Rêza # {0}: Pêdivî ye ku Tişta Zarok Pêvekek Hilberê nebe. Ji kerema xwe Tişta {1} rakin û Tomar bikin,
 Credit limit reached for customer {0},Sînorê krediyê ji bo xerîdar gihîşt {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Ji ber ku zeviyê (-yên) mecbûrî yên jêrîn winda nebûn nikaribû bixweber Xerîdar biafirîne:,
diff --git a/erpnext/translations/lo.csv b/erpnext/translations/lo.csv
index c6f6c80..676a81e 100644
--- a/erpnext/translations/lo.csv
+++ b/erpnext/translations/lo.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","ສະ ໝັກ ໄດ້ຖ້າບໍລິສັດແມ່ນ SpA, SApA ຫຼື SRL",
 Applicable if the company is a limited liability company,ໃຊ້ໄດ້ຖ້າບໍລິສັດແມ່ນບໍລິສັດທີ່ຮັບຜິດຊອບ ຈຳ ກັດ,
 Applicable if the company is an Individual or a Proprietorship,ສະ ໝັກ ໄດ້ຖ້າບໍລິສັດເປັນບຸກຄົນຫລືຜູ້ຖືສິດຄອບຄອງ,
-Applicant,ຜູ້ສະຫມັກ,
-Applicant Type,ປະເພດຜູ້ສະຫມັກ,
 Application of Funds (Assets),ຄໍາຮ້ອງສະຫມັກຂອງກອງທຶນ (ຊັບສິນ),
 Application period cannot be across two allocation records,ໄລຍະເວລາໃນການໃຊ້ບໍລິການບໍ່ສາມາດຜ່ານສອງບັນທຶກການຈັດສັນ,
 Application period cannot be outside leave allocation period,ໄລຍະເວລາການນໍາໃຊ້ບໍ່ສາມາດເປັນໄລຍະເວການຈັດສັນອອກຈາກພາຍນອກ,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,ລາຍຊື່ຜູ້ຖືຫຸ້ນທີ່ມີຈໍານວນຄົນທີ່ມີຢູ່,
 Loading Payment System,Loading System Payment,
 Loan,ເງິນກູ້ຢືມ,
-Loan Amount cannot exceed Maximum Loan Amount of {0},ຈໍານວນເງິນກູ້ບໍ່ເກີນຈໍານວນເງິນກູ້ສູງສຸດຂອງ {0},
-Loan Application,Application Loan,
-Loan Management,ການຄຸ້ມຄອງເງິນກູ້,
-Loan Repayment,ການຊໍາລະຫນີ້,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,ວັນທີເລີ່ມຕົ້ນການກູ້ຢືມເງິນແລະໄລຍະການກູ້ຢືມແມ່ນມີຄວາມ ຈຳ ເປັນທີ່ຈະປະຫຍັດໃບເກັບເງິນຫຼຸດ,
 Loans (Liabilities),ເງິນກູ້ຢືມ (ຫນີ້ສິນ),
 Loans and Advances (Assets),ເງິນກູ້ຢືມແລະອື່ນ ໆ (ຊັບສິນ),
@@ -1611,7 +1605,6 @@
 Monday,ຈັນ,
 Monthly,ປະຈໍາເດືອນ,
 Monthly Distribution,ການແຜ່ກະຈາຍປະຈໍາເດືອນ,
-Monthly Repayment Amount cannot be greater than Loan Amount,ຈໍານວນເງິນຊໍາລະຄືນປະຈໍາເດືອນບໍ່ສາມາດຈະຫຼາຍກ່ວາຈໍານວນເງິນກູ້,
 More,ເພີ່ມເຕີມ,
 More Information,ຂໍ້ມູນເພີ່ມເຕີມ,
 More than one selection for {0} not allowed,ບໍ່ມີການເລືອກຫຼາຍກວ່າ ໜຶ່ງ ສຳ ລັບ {0},
@@ -1884,11 +1877,9 @@
 Pay {0} {1},ຈ່າຍ {0} {1},
 Payable,ຈ່າຍ,
 Payable Account,ບັນຊີທີ່ຕ້ອງຈ່າຍ,
-Payable Amount,ຈຳ ນວນທີ່ຕ້ອງຈ່າຍ,
 Payment,ການຊໍາລະເງິນ,
 Payment Cancelled. Please check your GoCardless Account for more details,ການຊໍາລະເງິນຖືກຍົກເລີກ. ໂປດກວດເບິ່ງບັນຊີ GoCardless ຂອງທ່ານສໍາລັບລາຍລະອຽດເພີ່ມເຕີມ,
 Payment Confirmation,ການຍືນຍັນການຈ່າຍເງິນ,
-Payment Date,ວັນທີ່ສະຫມັກການຊໍາລະເງິນ,
 Payment Days,Days ການຊໍາລະເງິນ,
 Payment Document,ເອກະສານການຊໍາລະເງິນ,
 Payment Due Date,ການຊໍາລະເງິນກໍາຫນົດ,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,ກະລຸນາໃສ່ຮັບຊື້ຄັ້ງທໍາອິດ,
 Please enter Receipt Document,ກະລຸນາໃສ່ເອກະສານຮັບ,
 Please enter Reference date,ກະລຸນາໃສ່ວັນທີເອກະສານ,
-Please enter Repayment Periods,ກະລຸນາໃສ່ໄລຍະເວລາຊໍາລະຄືນ,
 Please enter Reqd by Date,ກະລຸນາໃສ່ Reqd ຕາມວັນທີ,
 Please enter Woocommerce Server URL,ກະລຸນາໃສ່ Woocommerce Server URL,
 Please enter Write Off Account,ກະລຸນາໃສ່ການຕັດບັນຊີ,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,ກະລຸນາເຂົ້າໄປໃນສູນຄ່າໃຊ້ຈ່າຍຂອງພໍ່ແມ່,
 Please enter quantity for Item {0},ກະລຸນາໃສ່ປະລິມານສໍາລັບລາຍການ {0},
 Please enter relieving date.,ກະລຸນາໃສ່ການເຈັບວັນທີ.,
-Please enter repayment Amount,ກະລຸນາໃສ່ຈໍານວນເງິນຊໍາລະຫນີ້,
 Please enter valid Financial Year Start and End Dates,ກະລຸນາໃສ່ປີເລີ່ມຕົ້ນທີ່ຖືກຕ້ອງທາງດ້ານການເງິນແລະວັນສຸດທ້າຍ,
 Please enter valid email address,ກະລຸນາໃສ່ທີ່ຢູ່ອີເມວທີ່ຖືກຕ້ອງ,
 Please enter {0} first,ກະລຸນາໃສ່ {0} ທໍາອິດ,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,ກົດລະບຽບການຕັ້ງລາຄາໄດ້ຖືກກັ່ນຕອງຕື່ມອີກໂດຍອີງໃສ່ປະລິມານ.,
 Primary Address Details,ລາຍະລະອຽດຂັ້ນພື້ນຖານ,
 Primary Contact Details,Primary Contact Details,
-Principal Amount,ຈໍານວນຜູ້ອໍານວຍການ,
 Print Format,ຮູບແບບການພິມ,
 Print IRS 1099 Forms,ພິມແບບຟອມ IRS 1099,
 Print Report Card,Print Report Card,
@@ -2550,7 +2538,6 @@
 Sample Collection,Sample Collection,
 Sample quantity {0} cannot be more than received quantity {1},ປະລິມານຕົວຢ່າງ {0} ບໍ່ສາມາດມີຫຼາຍກ່ວາປະລິມານທີ່ໄດ້ຮັບ {1},
 Sanctioned,ທີ່ຖືກເກືອດຫ້າມ,
-Sanctioned Amount,ຈໍານວນເງິນທີ່ຖືກເກືອດຫ້າມ,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ທີ່ຖືກເກືອດຫ້າມຈໍານວນເງິນບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກວ່າການຮຽກຮ້ອງຈໍານວນເງິນໃນແຖວ {0}.,
 Sand,Sand,
 Saturday,ວັນເສົາ,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} ມີຂັ້ນຕອນການເປັນພໍ່ແມ່ {1} ແລ້ວ.,
 API,API,
 Annual,ປະຈໍາປີ,
-Approved,ການອະນຸມັດ,
 Change,ການປ່ຽນແປງ,
 Contact Email,ການຕິດຕໍ່,
 Export Type,ປະເພດການສົ່ງອອກ,
@@ -3571,7 +3557,6 @@
 Account Value,ມູນຄ່າບັນຊີ,
 Account is mandatory to get payment entries,ບັນຊີແມ່ນມີຄວາມ ຈຳ ເປັນທີ່ຈະຕ້ອງໄດ້ຮັບການ ຊຳ ລະເງິນ,
 Account is not set for the dashboard chart {0},ບັນຊີບໍ່ໄດ້ຖືກ ກຳ ນົດໄວ້ໃນຕາຕະລາງ dashboard {0},
-Account {0} does not belong to company {1},ບັນຊີ {0} ບໍ່ໄດ້ຂຶ້ນກັບບໍລິສັດ {1},
 Account {0} does not exists in the dashboard chart {1},ບັນຊີ {0} ບໍ່ມີຢູ່ໃນຕາຕະລາງ dashboard {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,ບັນຊີ: <b>{0}</b> ແມ່ນທຶນການເຮັດວຽກທີ່ ກຳ ລັງ ດຳ ເນີນຢູ່ແລະບໍ່ສາມາດອັບເດດໄດ້ໂດຍວາລະສານ Entry,
 Account: {0} is not permitted under Payment Entry,ບັນຊີ: {0} ບໍ່ໄດ້ຮັບອະນຸຍາດພາຍໃຕ້ການເຂົ້າການຊໍາລະເງິນ,
@@ -3582,7 +3567,6 @@
 Activity,ກິດຈະກໍາ,
 Add / Manage Email Accounts.,ຕື່ມການ / ການຄຸ້ມຄອງການບັນຊີອີເມວ.,
 Add Child,ເພີ່ມເດັກ,
-Add Loan Security,ເພີ່ມຄວາມປອດໄພເງິນກູ້,
 Add Multiple,ຕື່ມຫຼາຍ,
 Add Participants,ຕື່ມຜູ້ເຂົ້າຮ່ວມ,
 Add to Featured Item,ເພີ່ມໃສ່ລາຍການທີ່ແນະ ນຳ,
@@ -3593,15 +3577,12 @@
 Address Line 1,ທີ່ຢູ່ Line 1,
 Addresses,ທີ່ຢູ່,
 Admission End Date should be greater than Admission Start Date.,ວັນສິ້ນສຸດການເຂົ້າໂຮງຮຽນຄວນຈະໃຫຍ່ກ່ວາວັນທີເປີດປະຕູຮັບ.,
-Against Loan,ຕໍ່ການກູ້ຢືມເງິນ,
-Against Loan:,ຕໍ່ການກູ້ຢືມເງິນ:,
 All,ທັງ ໝົດ,
 All bank transactions have been created,ທຸກໆການເຮັດທຸລະ ກຳ ຂອງທະນາຄານໄດ້ຖືກສ້າງຂື້ນ,
 All the depreciations has been booked,ຄ່າເສື່ອມລາຄາທັງ ໝົດ ຖືກຈອງແລ້ວ,
 Allocation Expired!,ການຈັດສັນ ໝົດ ອາຍຸ!,
 Allow Resetting Service Level Agreement from Support Settings.,ອະນຸຍາດການຕັ້ງຄ່າຂໍ້ຕົກລົງລະດັບການບໍລິການຈາກການຕັ້ງຄ່າສະ ໜັບ ສະ ໜູນ.,
 Amount of {0} is required for Loan closure,ຈຳ ນວນເງິນຂອງ {0} ແມ່ນ ຈຳ ເປັນ ສຳ ລັບການປິດການກູ້ຢືມເງິນ,
-Amount paid cannot be zero,ຈຳ ນວນເງິນທີ່ຈ່າຍບໍ່ສາມາດເປັນສູນ,
 Applied Coupon Code,ໃຊ້ລະຫັດຄູປອງ,
 Apply Coupon Code,ສະ ໝັກ ລະຫັດຄູປອງ,
 Appointment Booking,ການນັດ ໝາຍ ການນັດ ໝາຍ,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,ບໍ່ສາມາດຄິດໄລ່ເວລາມາຮອດຍ້ອນວ່າທີ່ຢູ່ຂອງຄົນຂັບບໍ່ໄດ້.,
 Cannot Optimize Route as Driver Address is Missing.,ບໍ່ສາມາດເພີ່ມປະສິດທິພາບເສັ້ນທາງໄດ້ເນື່ອງຈາກທີ່ຢູ່ຂອງຄົນຂັບບໍ່ໄດ້.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,ບໍ່ສາມາດເຮັດ ສຳ ເລັດວຽກ {0} ຍ້ອນວ່າວຽກທີ່ເພິ່ງພາອາໄສ {1} ບໍ່ໄດ້ຖືກຍົກເລີກ / ຍົກເລີກ.,
-Cannot create loan until application is approved,ບໍ່ສາມາດສ້າງເງິນກູ້ໄດ້ຈົນກວ່າຈະມີການອະນຸມັດ,
 Cannot find a matching Item. Please select some other value for {0}.,ບໍ່ສາມາດຊອກຫາສິນຄ້າ. ກະລຸນາເລືອກບາງມູນຄ່າອື່ນໆ {0}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","ບໍ່ສາມາດ overbill ສຳ ລັບລາຍການ {0} ໃນແຖວ {1} ເກີນ {2}. ເພື່ອອະນຸຍາດການເອີ້ນເກັບເງິນເກີນ, ກະລຸນາ ກຳ ນົດເງິນອຸດ ໜູນ ໃນການຕັ້ງຄ່າບັນຊີ",
 "Capacity Planning Error, planned start time can not be same as end time","ຂໍ້ຜິດພາດໃນການວາງແຜນຄວາມອາດສາມາດ, ເວລາເລີ່ມຕົ້ນທີ່ວາງແຜນບໍ່ສາມາດຄືກັບເວລາສິ້ນສຸດ",
@@ -3812,20 +3792,9 @@
 Less Than Amount,ຫນ້ອຍກ່ວາຈໍານວນເງິນ,
 Liabilities,ຄວາມຮັບຜິດຊອບ,
 Loading...,Loading ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,ຈຳ ນວນເງິນກູ້ ຈຳ ນວນເກີນ ຈຳ ນວນເງິນກູ້ສູງສຸດຂອງ {0} ຕາມການສະ ເໜີ ຫຼັກຊັບ,
 Loan Applications from customers and employees.,ຄຳ ຮ້ອງຂໍເງິນກູ້ຈາກລູກຄ້າແລະລູກຈ້າງ.,
-Loan Disbursement,ການເບີກຈ່າຍເງິນກູ້,
 Loan Processes,ຂັ້ນຕອນການກູ້ຢືມເງິນ,
-Loan Security,ເງິນກູ້ຄວາມປອດໄພ,
-Loan Security Pledge,ສັນຍາຄວາມປອດໄພເງິນກູ້,
-Loan Security Pledge Created : {0},ສັນຍາຄວາມປອດໄພດ້ານເງິນກູ້ສ້າງຂື້ນ: {0},
-Loan Security Price,ລາຄາຄວາມປອດໄພຂອງເງິນກູ້,
-Loan Security Price overlapping with {0},ລາຄາຄວາມປອດໄພຂອງເງິນກູ້ຄ້ ຳ ຊ້ອນກັນກັບ {0},
-Loan Security Unpledge,ຄຳ ກູ້ຄວາມປອດໄພຂອງເງິນກູ້,
-Loan Security Value,ມູນຄ່າຄວາມປອດໄພຂອງເງິນກູ້,
 Loan Type for interest and penalty rates,ປະເພດເງິນກູ້ ສຳ ລັບດອກເບ້ຍແລະອັດຕາຄ່າປັບ ໃໝ,
-Loan amount cannot be greater than {0},ຈຳ ນວນເງິນກູ້ບໍ່ສາມາດໃຫຍ່ກວ່າ {0},
-Loan is mandatory,ການກູ້ຢືມແມ່ນ ຈຳ ເປັນ,
 Loans,ເງິນກູ້,
 Loans provided to customers and employees.,ເງິນກູ້ໄດ້ສະ ໜອງ ໃຫ້ແກ່ລູກຄ້າແລະລູກຈ້າງ.,
 Location,ສະຖານທີ່,
@@ -3894,7 +3863,6 @@
 Pay,ຈ່າຍ,
 Payment Document Type,ປະເພດເອກະສານການຈ່າຍເງິນ,
 Payment Name,ຊື່ການຈ່າຍເງິນ,
-Penalty Amount,ຈຳ ນວນໂທດ,
 Pending,ທີ່ຍັງຄ້າງ,
 Performance,ການປະຕິບັດ,
 Period based On,ໄລຍະເວລາອີງໃສ່,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,ກະລຸນາເຂົ້າສູ່ລະບົບເປັນຜູ້ໃຊ້ Marketplace ເພື່ອດັດແກ້ສິ່ງນີ້.,
 Please login as a Marketplace User to report this item.,ກະລຸນາເຂົ້າສູ່ລະບົບເປັນຜູ້ໃຊ້ Marketplace ເພື່ອລາຍງານລາຍການນີ້.,
 Please select <b>Template Type</b> to download template,ກະລຸນາເລືອກ <b>ປະເພດແມ່ແບບ</b> ເພື່ອດາວໂຫລດແມ່ແບບ,
-Please select Applicant Type first,ກະລຸນາເລືອກປະເພດຜູ້ສະ ໝັກ ກ່ອນ,
 Please select Customer first,ກະລຸນາເລືອກລູກຄ້າກ່ອນ,
 Please select Item Code first,ກະລຸນາເລືອກລະຫັດ Item ກ່ອນ,
-Please select Loan Type for company {0},ກະລຸນາເລືອກປະເພດເງິນກູ້ ສຳ ລັບບໍລິສັດ {0},
 Please select a Delivery Note,ກະລຸນາເລືອກ ໝາຍ ເຫດສົ່ງ,
 Please select a Sales Person for item: {0},ກະລຸນາເລືອກຄົນຂາຍ ສຳ ລັບສິນຄ້າ: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',ກະລຸນາເລືອກວິທີການຊໍາລະເງິນອື່ນ. ເສັ້ນດ່າງບໍ່ສະຫນັບສະຫນູນທຸລະກໍາໃນສະກຸນເງິນ &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},ກະລຸນາຕັ້ງຄ່າບັນຊີທະນາຄານທີ່ບໍ່ຖືກຕ້ອງ ສຳ ລັບບໍລິສັດ {0},
 Please specify,ກະລຸນາລະບຸ,
 Please specify a {0},ກະລຸນາລະບຸ {0},lead
-Pledge Status,ສະຖານະສັນຍາ,
-Pledge Time,ເວລາສັນຍາ,
 Printing,ການພິມ,
 Priority,ບູລິມະສິດ,
 Priority has been changed to {0}.,ບຸລິມະສິດໄດ້ຖືກປ່ຽນເປັນ {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,ການປະມວນຜົນໄຟລ໌ XML,
 Profitability,ກຳ ໄລ,
 Project,ໂຄງການ,
-Proposed Pledges are mandatory for secured Loans,ຂໍ້ສະ ເໜີ ທີ່ເປັນສັນຍາແມ່ນມີຄວາມ ຈຳ ເປັນ ສຳ ລັບເງິນກູ້ທີ່ໄດ້ຮັບປະກັນ,
 Provide the academic year and set the starting and ending date.,ໃຫ້ສົກຮຽນແລະ ກຳ ນົດວັນເລີ່ມຕົ້ນແລະວັນສິ້ນສຸດ.,
 Public token is missing for this bank,ຫາຍສາບສູນສາທາລະນະຫາຍ ສຳ ລັບທະນາຄານນີ້,
 Publish,ເຜີຍແຜ່,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,ໃບຮັບເງິນການຊື້ບໍ່ມີລາຍການທີ່ຕົວຢ່າງ Retain ຖືກເປີດໃຊ້ງານ.,
 Purchase Return,Return ຊື້,
 Qty of Finished Goods Item,Qty ຂອງສິນຄ້າ ສຳ ເລັດຮູບ,
-Qty or Amount is mandatroy for loan security,Qty ຫຼື Amount ແມ່ນ mandatroy ສຳ ລັບຄວາມປອດໄພໃນການກູ້ຢືມ,
 Quality Inspection required for Item {0} to submit,ການກວດກາຄຸນນະພາບ ສຳ ລັບລາຍການ {0} ຕ້ອງສົ່ງ,
 Quantity to Manufacture,ຈຳ ນວນການຜະລິດ,
 Quantity to Manufacture can not be zero for the operation {0},ຈຳ ນວນການຜະລິດບໍ່ສາມາດເປັນສູນ ສຳ ລັບການ ດຳ ເນີນງານ {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,ວັນທີຜ່ອນຄາຍຕ້ອງມີຂະ ໜາດ ໃຫຍ່ກວ່າຫຼືເທົ່າກັບວັນເຂົ້າຮ່ວມ,
 Rename,ປ່ຽນຊື່,
 Rename Not Allowed,ປ່ຽນຊື່ບໍ່ອະນຸຍາດ,
-Repayment Method is mandatory for term loans,ວິທີການຈ່າຍຄືນແມ່ນ ຈຳ ເປັນ ສຳ ລັບການກູ້ຢືມໄລຍະ,
-Repayment Start Date is mandatory for term loans,ວັນທີເລີ່ມຕົ້ນການຈ່າຍຄືນແມ່ນ ຈຳ ເປັນ ສຳ ລັບການກູ້ຢືມໄລຍະ,
 Report Item,ລາຍງານລາຍການ,
 Report this Item,ລາຍງານລາຍການນີ້,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Qty ທີ່ສະຫງວນໄວ້ ສຳ ລັບສັນຍາຍ່ອຍ: ປະລິມານວັດຖຸດິບເພື່ອຜະລິດສິນຄ້າຍ່ອຍ.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},ແຖວ ({0}): {1} ແມ່ນຫຼຸດລົງແລ້ວໃນ {2},
 Rows Added in {0},ເພີ່ມແຖວເຂົ້າໃນ {0},
 Rows Removed in {0},ຖອດອອກຈາກແຖວເກັດທີ່ຢູ່ໃນ {0},
-Sanctioned Amount limit crossed for {0} {1},ຂອບເຂດ ຈຳ ກັດ ຈຳ ນວນເງິນທີ່ຖືກຕັດ ສຳ ລັບ {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},ຈຳ ນວນເງິນກູ້ທີ່ຖືກ ຊຳ ລະແລ້ວ ສຳ ລັບ {0} ຕໍ່ບໍລິສັດ {1},
 Save,ບັນທຶກ,
 Save Item,ບັນທຶກລາຍການ,
 Saved Items,ລາຍການທີ່ບັນທຶກໄວ້,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,ຜູ້ໃຊ້ {0} ເປັນຄົນພິການ,
 Users and Permissions,ຜູ້ຊົມໃຊ້ແລະການອະນຸຍາດ,
 Vacancies cannot be lower than the current openings,ບໍລິສັດບໍ່ສາມາດຕໍ່າກ່ວາການເປີດປະຈຸບັນ,
-Valid From Time must be lesser than Valid Upto Time.,ຖືກຕ້ອງຈາກເວລາຕ້ອງນ້ອຍກວ່າເວລາທີ່ໃຊ້ໄດ້ກັບ Upto Time.,
 Valuation Rate required for Item {0} at row {1},ອັດຕາການປະເມີນມູນຄ່າທີ່ຕ້ອງການ ສຳ ລັບລາຍການ {0} ຢູ່ແຖວ {1},
 Values Out Of Sync,ຄຸນຄ່າຂອງການຊິ້ງຂໍ້ມູນ,
 Vehicle Type is required if Mode of Transport is Road,ຕ້ອງມີປະເພດພາຫະນະຖ້າຮູບແບບການຂົນສົ່ງເປັນຖະ ໜົນ,
@@ -4211,7 +4168,6 @@
 Add to Cart,ຕື່ມການກັບໂຄງຮ່າງການ,
 Days Since Last Order,ມື້ນັບຕັ້ງແຕ່ຄໍາສັ່ງສຸດທ້າຍ,
 In Stock,ໃນສາງ,
-Loan Amount is mandatory,ຈຳ ນວນເງິນກູ້ແມ່ນ ຈຳ ເປັນ,
 Mode Of Payment,ຮູບແບບການຊໍາລະເງິນ,
 No students Found,ບໍ່ພົບນັກຮຽນ,
 Not in Stock,ບໍ່ໄດ້ຢູ່ໃນ Stock,
@@ -4240,7 +4196,6 @@
 Group by,ກຸ່ມໂດຍ,
 In stock,ໃນສາງ,
 Item name,ຊື່ສິນຄ້າ,
-Loan amount is mandatory,ຈຳ ນວນເງິນກູ້ແມ່ນ ຈຳ ເປັນ,
 Minimum Qty,Minimum Qty,
 More details,ລາຍລະອຽດເພີ່ມເຕີມ,
 Nature of Supplies,Nature Of Supplies,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,ຈຳ ນວນທັງ ໝົດ ສຳ ເລັດ,
 Qty to Manufacture,ຈໍານວນການຜະລິດ,
 Repay From Salary can be selected only for term loans,ຈ່າຍຄືນຈາກເງິນເດືອນສາມາດເລືອກໄດ້ ສຳ ລັບການກູ້ຢືມໄລຍະ,
-No valid Loan Security Price found for {0},ບໍ່ພົບລາຄາຄວາມປອດໄພເງິນກູ້ທີ່ຖືກຕ້ອງ ສຳ ລັບ {0},
-Loan Account and Payment Account cannot be same,ບັນຊີເງິນກູ້ແລະບັນຊີການຈ່າຍເງິນບໍ່ສາມາດຄືກັນ,
-Loan Security Pledge can only be created for secured loans,ສັນຍາຄວາມປອດໄພຂອງເງິນກູ້ສາມາດສ້າງໄດ້ ສຳ ລັບການກູ້ຢືມທີ່ມີຄວາມປອດໄພເທົ່ານັ້ນ,
 Social Media Campaigns,ການໂຄສະນາສື່ສັງຄົມ,
 From Date can not be greater than To Date,ຈາກວັນທີບໍ່ສາມາດໃຫຍ່ກວ່າ To Date,
 Please set a Customer linked to the Patient,ກະລຸນາ ກຳ ນົດລູກຄ້າທີ່ເຊື່ອມໂຍງກັບຄົນເຈັບ,
@@ -6437,7 +6389,6 @@
 HR User,User HR,
 Appointment Letter,ຈົດ ໝາຍ ນັດ ໝາຍ,
 Job Applicant,ວຽກເຮັດງານທໍາສະຫມັກ,
-Applicant Name,ຊື່ຜູ້ສະຫມັກ,
 Appointment Date,ວັນທີນັດ ໝາຍ,
 Appointment Letter Template,ແມ່ແບບຈົດ ໝາຍ ນັດພົບ,
 Body,ຮ່າງກາຍ,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Sync in Progress,
 Hub Seller Name,Hub ຊື່ຜູ້ຂາຍ,
 Custom Data,Custom Data,
-Member,ສະຫມາຊິກ,
-Partially Disbursed,ຈ່າຍບາງສ່ວນ,
-Loan Closure Requested,ຂໍປິດປະຕູເງິນກູ້,
 Repay From Salary,ຕອບບຸນແທນຄຸນຈາກເງິນເດືອນ,
-Loan Details,ລາຍລະອຽດການກູ້ຢືມເງິນ,
-Loan Type,ປະເພດເງິນກູ້,
-Loan Amount,ຈໍານວນເງິນກູ້ຢືມເງິນ,
-Is Secured Loan,ແມ່ນເງິນກູ້ທີ່ປອດໄພ,
-Rate of Interest (%) / Year,ອັດຕາການທີ່ຫນ້າສົນໃຈ (%) / ປີ,
-Disbursement Date,ວັນທີ່ສະຫມັກນໍາເຂົ້າ,
-Disbursed Amount,ຈຳ ນວນເງິນທີ່ຈ່າຍໃຫ້,
-Is Term Loan,ແມ່ນເງີນກູ້ໄລຍະ,
-Repayment Method,ວິທີການຊໍາລະ,
-Repay Fixed Amount per Period,ຈ່າຍຄືນຈໍານວນເງິນທີ່ມີກໍານົດໄລຍະເວລາຕໍ່,
-Repay Over Number of Periods,ຕອບບຸນແທນຄຸນໃນໄລຍະຈໍານວນຂອງໄລຍະເວລາ,
-Repayment Period in Months,ໄລຍະເວລາການຊໍາລະຄືນໃນໄລຍະເດືອນ,
-Monthly Repayment Amount,ຈໍານວນເງິນຊໍາລະຄືນປະຈໍາເດືອນ,
-Repayment Start Date,ວັນທີຊໍາລະເງິນຄືນ,
-Loan Security Details,ລາຍລະອຽດກ່ຽວກັບຄວາມປອດໄພຂອງເງິນກູ້,
-Maximum Loan Value,ມູນຄ່າເງິນກູ້ສູງສຸດ,
-Account Info,ຂໍ້ມູນບັນຊີ,
-Loan Account,ບັນຊີເງິນກູ້,
-Interest Income Account,ບັນຊີດອກເບ້ຍຮັບ,
-Penalty Income Account,ບັນຊີລາຍໄດ້ການລົງໂທດ,
-Repayment Schedule,ຕາຕະລາງການຊໍາລະຫນີ້,
-Total Payable Amount,ຈໍານວນເງິນຫນີ້,
-Total Principal Paid,ການຈ່າຍເງິນຕົ້ນຕໍທັງ ໝົດ,
-Total Interest Payable,ທີ່ຫນ້າສົນໃຈທັງຫມົດ Payable,
-Total Amount Paid,ຈໍານວນເງິນທີ່ຈ່າຍ,
-Loan Manager,ຜູ້ຈັດການເງິນກູ້,
-Loan Info,ຂໍ້ມູນການກູ້ຢືມເງິນ,
-Rate of Interest,ອັດຕາການທີ່ຫນ້າສົນໃຈ,
-Proposed Pledges,ສັນຍາສະ ເໜີ,
-Maximum Loan Amount,ຈໍານວນເງິນກູ້ສູງສຸດ,
-Repayment Info,ຂໍ້ມູນການຊໍາລະຫນີ້,
-Total Payable Interest,ທັງຫມົດດອກເບ້ຍຄ້າງຈ່າຍ,
-Against Loan ,ຕໍ່ການກູ້ຢືມເງິນ,
-Loan Interest Accrual,ອັດຕາດອກເບ້ຍເງິນກູ້,
-Amounts,ຈຳ ນວນເງິນ,
-Pending Principal Amount,ຈຳ ນວນເງີນທີ່ຍັງຄ້າງ,
-Payable Principal Amount,ຈຳ ນວນເງິນ ອຳ ນວຍການທີ່ຕ້ອງຈ່າຍ,
-Paid Principal Amount,ຈຳ ນວນເງິນ ອຳ ນວຍການຈ່າຍ,
-Paid Interest Amount,ຈຳ ນວນດອກເບ້ຍຈ່າຍ,
-Process Loan Interest Accrual,ດອກເບັ້ຍເງິນກູ້ຂະບວນການ,
-Repayment Schedule Name,ຊື່ຕາຕະລາງການຈ່າຍເງິນຄືນ,
 Regular Payment,ການຈ່າຍເງິນປົກກະຕິ,
 Loan Closure,ການກູ້ຢືມເງິນປິດ,
-Payment Details,ລາຍລະອຽດການຊໍາລະເງິນ,
-Interest Payable,ດອກເບ້ຍທີ່ຈ່າຍໄດ້,
-Amount Paid,ຈໍານວນເງິນທີ່ຊໍາລະເງິນ,
-Principal Amount Paid,ເງິນຕົ້ນຕໍ ຈຳ ນວນເງີນ,
-Repayment Details,ລາຍລະອຽດການຈ່າຍຄືນ,
-Loan Repayment Detail,ລາຍລະອຽດການຈ່າຍຄືນເງິນກູ້,
-Loan Security Name,ຊື່ຄວາມປອດໄພເງິນກູ້,
-Unit Of Measure,ຫົວ ໜ່ວຍ ວັດແທກ,
-Loan Security Code,ລະຫັດຄວາມປອດໄພຂອງເງິນກູ້,
-Loan Security Type,ປະເພດຄວາມປອດໄພເງິນກູ້,
-Haircut %,ຕັດຜົມ%,
-Loan  Details,ລາຍລະອຽດເງິນກູ້,
-Unpledged,Unpledged,
-Pledged,ຄຳ ໝັ້ນ ສັນຍາ,
-Partially Pledged,ບາງສ່ວນທີ່ຖືກສັນຍາໄວ້,
-Securities,ຫຼັກຊັບ,
-Total Security Value,ມູນຄ່າຄວາມປອດໄພທັງ ໝົດ,
-Loan Security Shortfall,ການຂາດແຄນຄວາມປອດໄພຂອງເງິນກູ້,
-Loan ,ເງິນກູ້ຢືມ,
-Shortfall Time,ເວລາຂາດເຂີນ,
-America/New_York,ອາເມລິກາ / New_York,
-Shortfall Amount,ຈຳ ນວນຂາດແຄນ,
-Security Value ,ມູນຄ່າຄວາມປອດໄພ,
-Process Loan Security Shortfall,ການກູ້ຢືມເງິນຂະບວນການຂາດເຂີນຄວາມປອດໄພ,
-Loan To Value Ratio,ເງິນກູ້ເພື່ອສົມທຽບມູນຄ່າ,
-Unpledge Time,Unpledge Time,
-Loan Name,ຊື່ການກູ້ຢືມເງິນ,
 Rate of Interest (%) Yearly,ອັດຕາການທີ່ຫນ້າສົນໃຈ (%) ປະຈໍາປີ,
-Penalty Interest Rate (%) Per Day,ອັດຕາດອກເບ້ຍການລົງໂທດ (%) ຕໍ່ມື້,
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,ອັດຕາດອກເບ້ຍການລົງໂທດແມ່ນຄິດໄລ່ຕາມອັດຕາດອກເບ້ຍທີ່ຍັງຄ້າງໃນແຕ່ລະວັນໃນກໍລະນີທີ່ມີການຈ່າຍຄືນທີ່ຊັກຊ້າ,
-Grace Period in Days,ໄລຍະເວລາ Grace ໃນວັນ,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,ຈຳ ນວນມື້ນັບແຕ່ມື້ຄົບ ກຳ ນົດຈົນກ່ວາການລົງໂທດຈະບໍ່ຄິດຄ່າ ທຳ ນຽມໃນກໍລະນີທີ່ມີການຊັກຊ້າໃນການຈ່າຍຄືນເງິນກູ້,
-Pledge,ສັນຍາ,
-Post Haircut Amount,ຈຳ ນວນປະລິມານການຕັດຜົມ,
-Process Type,ປະເພດຂະບວນການ,
-Update Time,ເວລາປັບປຸງ,
-Proposed Pledge,ສັນຍາສະ ເໜີ,
-Total Payment,ການຊໍາລະເງິນທັງຫມົດ,
-Balance Loan Amount,ການດຸ່ນດ່ຽງຈໍານວນເງິນກູ້,
-Is Accrued,ຖືກຮັບຮອງ,
 Salary Slip Loan,Salary Slip Loan,
 Loan Repayment Entry,ການອອກເງິນຄືນການກູ້ຢືມເງິນ,
-Sanctioned Loan Amount,ຈຳ ນວນເງິນກູ້ທີ່ ກຳ ນົດໄວ້,
-Sanctioned Amount Limit,ຂອບເຂດຈໍາກັດຈໍານວນເງິນທີ່ຖືກລົງໂທດ,
-Unpledge,ປະຕິເສດ,
-Haircut,ຕັດຜົມ,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,ສ້າງຕາຕະລາງ,
 Schedules,ຕາຕະລາງ,
@@ -7885,7 +7749,6 @@
 Update Series,ການປັບປຸງ Series,
 Change the starting / current sequence number of an existing series.,ການປ່ຽນແປງ / ຈໍານວນລໍາດັບການເລີ່ມຕົ້ນໃນປັດຈຸບັນຂອງໄລຍະການທີ່ມີຢູ່ແລ້ວ.,
 Prefix,ຄໍານໍາຫນ້າ,
-Current Value,ມູນຄ່າປະຈຸບັນ,
 This is the number of the last created transaction with this prefix,ນີ້ແມ່ນຈໍານວນຂອງການສ້າງຕັ້ງຂື້ນໃນທີ່ຜ່ານມາມີຄໍານໍາຫນ້ານີ້,
 Update Series Number,ຈໍານວນ Series ປັບປຸງ,
 Quotation Lost Reason,ວົງຢືມລືມເຫດຜົນ,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise ແນະນໍາຈັດລໍາດັບລະດັບ,
 Lead Details,ລາຍລະອຽດນໍາ,
 Lead Owner Efficiency,ປະສິດທິພາບເຈົ້າຂອງຜູ້ນໍາພາ,
-Loan Repayment and Closure,ການຈ່າຍຄືນເງິນກູ້ແລະການປິດ,
-Loan Security Status,ສະຖານະພາບຄວາມປອດໄພຂອງເງິນກູ້,
 Lost Opportunity,ໂອກາດທີ່ສູນເສຍໄປ,
 Maintenance Schedules,ຕາຕະລາງການບໍາລຸງຮັກສາ,
 Material Requests for which Supplier Quotations are not created,ການຮ້ອງຂໍອຸປະກອນການສໍາລັບການທີ່ Quotations Supplier ຍັງບໍ່ໄດ້ສ້າງ,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},ຈຳ ນວນເປົ້າ ໝາຍ: {0},
 Payment Account is mandatory,ບັນຊີ ຊຳ ລະເງິນແມ່ນ ຈຳ ເປັນ,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","ຖ້າຖືກກວດກາ, ຈຳ ນວນເຕັມຈະຖືກຫັກອອກຈາກລາຍໄດ້ທີ່ຕ້ອງເສຍອາກອນກ່ອນທີ່ຈະຄິດໄລ່ອາກອນລາຍໄດ້ໂດຍບໍ່ມີການປະກາດຫລືການຍື່ນພິສູດໃດໆ.",
-Disbursement Details,ລາຍລະອຽດການແຈກຈ່າຍ,
 Material Request Warehouse,ສາງຂໍວັດສະດຸ,
 Select warehouse for material requests,ເລືອກສາງ ສຳ ລັບການຮ້ອງຂໍດ້ານວັດຖຸ,
 Transfer Materials For Warehouse {0},ໂອນວັດສະດຸ ສຳ ລັບສາງ {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,ຈ່າຍຄືນ ຈຳ ນວນທີ່ບໍ່ໄດ້ຮັບຈາກເງິນເດືອນ,
 Deduction from salary,ການຫັກລົບຈາກເງິນເດືອນ,
 Expired Leaves,ໃບ ໝົດ ອາຍຸ,
-Reference No,ບໍ່ມີ,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,ອັດຕາສ່ວນການຕັດຜົມແມ່ນຄວາມແຕກຕ່າງສ່ວນຮ້ອຍລະຫວ່າງມູນຄ່າຕະຫຼາດຂອງຄວາມປອດໄພຂອງເງິນກູ້ແລະມູນຄ່າທີ່ລະບຸໄວ້ໃນຄວາມປອດໄພເງິນກູ້ເມື່ອຖືກ ນຳ ໃຊ້ເປັນຫລັກປະກັນ ສຳ ລັບເງິນກູ້ນັ້ນ.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,ອັດຕາສ່ວນເງິນກູ້ເພື່ອສະແດງອັດຕາສ່ວນຂອງ ຈຳ ນວນເງິນກູ້ໃຫ້ກັບມູນຄ່າຂອງຄວາມປອດໄພທີ່ໄດ້ສັນຍາໄວ້. ການຂາດແຄນດ້ານຄວາມປອດໄພຂອງເງິນກູ້ຈະເກີດຂື້ນຖ້າວ່າມັນຕໍ່າກ່ວາມູນຄ່າທີ່ລະບຸໄວ້ ສຳ ລັບເງິນກູ້ໃດໆ,
 If this is not checked the loan by default will be considered as a Demand Loan,ຖ້າສິ່ງນີ້ບໍ່ຖືກກວດກາເງິນກູ້ໂດຍຄ່າເລີ່ມຕົ້ນຈະຖືກພິຈາລະນາເປັນເງິນກູ້ຕາມຄວາມຕ້ອງການ,
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,ບັນຊີນີ້ໃຊ້ເພື່ອຈອງການຈ່າຍຄືນເງິນກູ້ຈາກຜູ້ກູ້ຢືມແລະຍັງຈ່າຍເງິນກູ້ໃຫ້ຜູ້ກູ້ຢືມອີກດ້ວຍ,
 This account is capital account which is used to allocate capital for loan disbursal account ,ບັນຊີນີ້ແມ່ນບັນຊີທຶນເຊິ່ງຖືກ ນຳ ໃຊ້ເພື່ອຈັດສັນທຶນ ສຳ ລັບບັນຊີການເບີກຈ່າຍເງິນກູ້,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},ການ ດຳ ເນີນງານ {0} ບໍ່ຂື້ນກັບ ຄຳ ສັ່ງເຮັດວຽກ {1},
 Print UOM after Quantity,ພິມ UOM ຫຼັງຈາກປະລິມານ,
 Set default {0} account for perpetual inventory for non stock items,ຕັ້ງຄ່າບັນຊີ {0} ສຳ ລັບສິນຄ້າຄົງຄັງທີ່ບໍ່ມີສິນຄ້າ,
-Loan Security {0} added multiple times,ຄວາມປອດໄພຂອງເງິນກູ້ {0} ເພີ່ມຫຼາຍຄັ້ງ,
-Loan Securities with different LTV ratio cannot be pledged against one loan,ຫຼັກຊັບເງິນກູ້ທີ່ມີອັດຕາສ່ວນ LTV ທີ່ແຕກຕ່າງກັນບໍ່ສາມາດສັນຍາກັບການກູ້ຢືມດຽວ,
-Qty or Amount is mandatory for loan security!,Qty ຫຼື ຈຳ ນວນເງິນແມ່ນ ຈຳ ເປັນ ສຳ ລັບຄວາມປອດໄພໃນການກູ້ຢືມ!,
-Only submittted unpledge requests can be approved,ພຽງແຕ່ການຮ້ອງຂໍທີ່ບໍ່ໄດ້ສັນຍາທີ່ຖືກສົ່ງໄປສາມາດໄດ້ຮັບການອະນຸມັດ,
-Interest Amount or Principal Amount is mandatory,ຈຳ ນວນດອກເບ້ຍຫລື ຈຳ ນວນເງິນຕົ້ນຕໍແມ່ນ ຈຳ ເປັນ,
-Disbursed Amount cannot be greater than {0},ຈຳ ນວນເງິນທີ່ຖືກຈ່າຍບໍ່ສາມາດໃຫຍ່ກວ່າ {0},
-Row {0}: Loan Security {1} added multiple times,ແຖວ {0}: ຄວາມປອດໄພດ້ານເງິນກູ້ {1} ໄດ້ເພີ່ມຫຼາຍຄັ້ງ,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,ແຖວ # {0}: ລາຍການເດັກບໍ່ຄວນເປັນມັດຜະລິດຕະພັນ. ກະລຸນາເອົາລາຍການ {1} ແລະບັນທຶກ,
 Credit limit reached for customer {0},ຈຳ ກັດ ຈຳ ນວນສິນເຊື່ອ ສຳ ລັບລູກຄ້າ {0},
 Could not auto create Customer due to the following missing mandatory field(s):,ບໍ່ສາມາດສ້າງລູກຄ້າໄດ້ໂດຍອັດຕະໂນມັດເນື່ອງຈາກພາກສະຫນາມທີ່ ຈຳ ເປັນດັ່ງລຸ່ມນີ້:,
diff --git a/erpnext/translations/lt.csv b/erpnext/translations/lt.csv
index b9f4ffb..87d2798 100644
--- a/erpnext/translations/lt.csv
+++ b/erpnext/translations/lt.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Taikoma, jei įmonė yra SpA, SApA ar SRL",
 Applicable if the company is a limited liability company,"Taikoma, jei įmonė yra ribotos atsakomybės įmonė",
 Applicable if the company is an Individual or a Proprietorship,"Taikoma, jei įmonė yra individuali įmonė arba įmonė",
-Applicant,Pareiškėjas,
-Applicant Type,Pareiškėjo tipas,
 Application of Funds (Assets),Taikymas lėšos (turtas),
 Application period cannot be across two allocation records,Paraiškų teikimo laikotarpis negali būti per du paskirstymo įrašus,
 Application period cannot be outside leave allocation period,Taikymo laikotarpis negali būti ne atostogos paskirstymo laikotarpis,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Turimų akcininkų sąrašas su folio numeriais,
 Loading Payment System,Įkraunama mokėjimo sistema,
 Loan,Paskola,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Paskolos suma negali viršyti maksimalios paskolos sumos iš {0},
-Loan Application,Paskolos taikymas,
-Loan Management,Paskolų valdymas,
-Loan Repayment,paskolos grąžinimo,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,"Paskyros pradžios data ir paskolos laikotarpis yra privalomi, norint išsaugoti sąskaitos faktūros nuolaidą",
 Loans (Liabilities),Paskolos (įsipareigojimai),
 Loans and Advances (Assets),Paskolos ir avansai (turtas),
@@ -1611,7 +1605,6 @@
 Monday,pirmadienis,
 Monthly,kas mėnesį,
 Monthly Distribution,Mėnesio pasiskirstymas,
-Monthly Repayment Amount cannot be greater than Loan Amount,Mėnesio grąžinimo suma negali būti didesnė nei paskolos suma,
 More,daugiau,
 More Information,Daugiau informacijos,
 More than one selection for {0} not allowed,Neleidžiama daugiau nei vieno {0} pasirinkimo,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Pay {0} {1},
 Payable,mokėtinas,
 Payable Account,mokėtinos sąskaitos,
-Payable Amount,Mokėtina suma,
 Payment,Mokėjimas,
 Payment Cancelled. Please check your GoCardless Account for more details,"Mokėjimas atšauktas. Prašome patikrinti savo &quot;GoCardless&quot; sąskaitą, kad gautumėte daugiau informacijos",
 Payment Confirmation,Mokėjimo patvirtinimas,
-Payment Date,Mokėjimo diena,
 Payment Days,Atsiskaitymo diena,
 Payment Document,mokėjimo dokumentą,
 Payment Due Date,Sumokėti iki,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,Prašome įvesti pirkimo kvito pirmasis,
 Please enter Receipt Document,Prašome įvesti Gavimas dokumentą,
 Please enter Reference date,Prašome įvesti Atskaitos data,
-Please enter Repayment Periods,Prašome įvesti grąžinimo terminams,
 Please enter Reqd by Date,Prašome įvesti reqd pagal datą,
 Please enter Woocommerce Server URL,Įveskite Woocommerce serverio URL,
 Please enter Write Off Account,Prašome įvesti nurašyti paskyrą,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,Prašome įvesti patronuojanti kaštų centrą,
 Please enter quantity for Item {0},Prašome įvesti kiekį punkte {0},
 Please enter relieving date.,Prašome įvesti malšinančių datą.,
-Please enter repayment Amount,Prašome įvesti grąžinimo suma,
 Please enter valid Financial Year Start and End Dates,Prašome įvesti galiojantį finansinių metų pradžios ir pabaigos datos,
 Please enter valid email address,"Prašome įvesti galiojantį elektroninio pašto adresą,",
 Please enter {0} first,Prašome įvesti {0} pirmas,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Kainodaros taisyklės yra toliau filtruojamas remiantis kiekį.,
 Primary Address Details,Pagrindinio adreso duomenys,
 Primary Contact Details,Pagrindinė kontaktinė informacija,
-Principal Amount,Pagrindinė suma,
 Print Format,Spausdinti Formatas,
 Print IRS 1099 Forms,Spausdinti IRS 1099 formas,
 Print Report Card,Spausdinti ataskaitos kortelę,
@@ -2550,7 +2538,6 @@
 Sample Collection,Pavyzdžių rinkinys,
 Sample quantity {0} cannot be more than received quantity {1},Mėginių kiekis {0} negali būti didesnis nei gautas kiekis {1},
 Sanctioned,sankcijos,
-Sanctioned Amount,sankcijos suma,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sankcijos suma negali būti didesnė nei ieškinio suma eilutėje {0}.,
 Sand,Smėlis,
 Saturday,šeštadienis,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} jau turi tėvų procedūrą {1}.,
 API,API,
 Annual,metinis,
-Approved,patvirtinta,
 Change,pokytis,
 Contact Email,kontaktinis elektroninio pašto adresas,
 Export Type,Eksporto tipas,
@@ -3571,7 +3557,6 @@
 Account Value,Sąskaitos vertė,
 Account is mandatory to get payment entries,Sąskaita yra privaloma norint gauti mokėjimų įrašus,
 Account is not set for the dashboard chart {0},Prietaisų skydelio diagrama {0} nenustatyta.,
-Account {0} does not belong to company {1},Sąskaita {0} nepriklauso Company {1},
 Account {0} does not exists in the dashboard chart {1},Paskyros {0} prietaisų skydelio diagramoje {1} nėra.,
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,"Paskyra: <b>{0}</b> yra kapitalinis darbas, kurio nebaigta, o žurnalo įrašas negali jo atnaujinti",
 Account: {0} is not permitted under Payment Entry,Sąskaita: „{0}“ neleidžiama pagal „Mokėjimo įvedimas“,
@@ -3582,7 +3567,6 @@
 Activity,veikla,
 Add / Manage Email Accounts.,Įdėti / Valdymas elektroninio pašto sąskaitas.,
 Add Child,Pridėti vaikas,
-Add Loan Security,Pridėti paskolos saugumą,
 Add Multiple,Pridėti kelis,
 Add Participants,Pridėti dalyvius,
 Add to Featured Item,Pridėti prie panašaus elemento,
@@ -3593,15 +3577,12 @@
 Address Line 1,Adreso eilutė 1,
 Addresses,adresai,
 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.,
-Against Loan,Prieš paskolą,
-Against Loan:,Prieš paskolą:,
 All,VISOS,
 All bank transactions have been created,Visos banko operacijos buvo sukurtos,
 All the depreciations has been booked,Visi nusidėvėjimai buvo užregistruoti,
 Allocation Expired!,Paskirstymas pasibaigė!,
 Allow Resetting Service Level Agreement from Support Settings.,Leisti iš naujo nustatyti paslaugų lygio susitarimą iš palaikymo parametrų.,
 Amount of {0} is required for Loan closure,Norint uždaryti paskolą reikalinga {0} suma,
-Amount paid cannot be zero,Sumokėta suma negali būti lygi nuliui,
 Applied Coupon Code,Taikomas kupono kodas,
 Apply Coupon Code,Taikyti kupono kodą,
 Appointment Booking,Paskyrimo rezervavimas,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,"Neįmanoma apskaičiuoti atvykimo laiko, nes trūksta vairuotojo adreso.",
 Cannot Optimize Route as Driver Address is Missing.,"Neįmanoma optimizuoti maršruto, nes trūksta vairuotojo adreso.",
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Neįmanoma atlikti užduoties {0}, nes nuo jos priklausoma užduotis {1} nėra baigta / atšaukta.",
-Cannot create loan until application is approved,"Neįmanoma sukurti paskolos, kol nebus patvirtinta paraiška",
 Cannot find a matching Item. Please select some other value for {0}.,Nerandate atitikimo elementą. Prašome pasirinkti kokią nors kitą vertę {0}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Negalima permokėti už {0} eilutės {0} eilutę daugiau nei {2}. Jei norite leisti permokėti, nustatykite pašalpą Sąskaitų nustatymuose",
 "Capacity Planning Error, planned start time can not be same as end time","Talpos planavimo klaida, planuojamas pradžios laikas negali būti toks pat kaip pabaigos laikas",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Mažiau nei suma,
 Liabilities,Įsipareigojimai,
 Loading...,Kraunasi ...,
-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,
 Loan Applications from customers and employees.,Klientų ir darbuotojų paskolų paraiškos.,
-Loan Disbursement,Paskolos išmokėjimas,
 Loan Processes,Paskolų procesai,
-Loan Security,Paskolos saugumas,
-Loan Security Pledge,Paskolos užstatas,
-Loan Security Pledge Created : {0},Sukurtas paskolos užstatas: {0},
-Loan Security Price,Paskolos užstato kaina,
-Loan Security Price overlapping with {0},Paskolos užstato kaina sutampa su {0},
-Loan Security Unpledge,Paskolos užstatas,
-Loan Security Value,Paskolos vertė,
 Loan Type for interest and penalty rates,Paskolos rūšis palūkanoms ir baudos dydžiui,
-Loan amount cannot be greater than {0},Paskolos suma negali būti didesnė nei {0},
-Loan is mandatory,Paskola yra privaloma,
 Loans,Paskolos,
 Loans provided to customers and employees.,Klientams ir darbuotojams suteiktos paskolos.,
 Location,vieta,
@@ -3894,7 +3863,6 @@
 Pay,mokėti,
 Payment Document Type,Mokėjimo dokumento tipas,
 Payment Name,Mokėjimo pavadinimas,
-Penalty Amount,Baudos suma,
 Pending,kol,
 Performance,Spektaklis,
 Period based On,Laikotarpis pagrįstas,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,"Jei norite redaguoti šį elementą, prisijunkite kaip „Marketplace“ vartotojas.",
 Please login as a Marketplace User to report this item.,"Jei norite pranešti apie šį elementą, prisijunkite kaip „Marketplace“ vartotojas.",
 Please select <b>Template Type</b> to download template,"Pasirinkite <b>šablono tipą, jei</b> norite atsisiųsti šabloną",
-Please select Applicant Type first,Pirmiausia pasirinkite pareiškėjo tipą,
 Please select Customer first,Pirmiausia pasirinkite Klientas,
 Please select Item Code first,Pirmiausia pasirinkite prekės kodą,
-Please select Loan Type for company {0},Pasirinkite paskolos tipą įmonei {0},
 Please select a Delivery Note,Prašome pasirinkti važtaraštį,
 Please select a Sales Person for item: {0},Pasirinkite prekės pardavėją: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Prašome pasirinkti kitą mokėjimo būdą. Juostele nepalaiko sandoriams valiuta &quot;{0} &#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Sukurkite numatytąją įmonės {0} banko sąskaitą,
 Please specify,Prašome nurodyti,
 Please specify a {0},Nurodykite {0},lead
-Pledge Status,Įkeitimo būsena,
-Pledge Time,Įkeitimo laikas,
 Printing,spausdinimas,
 Priority,Prioritetas,
 Priority has been changed to {0}.,Prioritetas buvo pakeistas į {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Apdorojame XML failus,
 Profitability,Pelningumas,
 Project,projektas,
-Proposed Pledges are mandatory for secured Loans,Siūlomi įkeitimai yra privalomi užtikrinant paskolas,
 Provide the academic year and set the starting and ending date.,Nurodykite mokslo metus ir nustatykite pradžios ir pabaigos datą.,
 Public token is missing for this bank,Nėra šio banko viešo prieigos rakto,
 Publish,Paskelbti,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Pirkimo kvite nėra elementų, kuriems įgalintas „Retain Sample“.",
 Purchase Return,pirkimo Grįžti,
 Qty of Finished Goods Item,Gatavos prekės kiekis,
-Qty or Amount is mandatroy for loan security,Kiekis ar suma yra būtini paskolos užtikrinimui,
 Quality Inspection required for Item {0} to submit,"Norint pateikti {0} elementą, būtina atlikti kokybės patikrinimą",
 Quantity to Manufacture,Pagaminamas kiekis,
 Quantity to Manufacture can not be zero for the operation {0},Gamybos kiekis operacijai negali būti lygus nuliui {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Atleidimo data turi būti didesnė arba lygi prisijungimo datai,
 Rename,pervadinti,
 Rename Not Allowed,Pervardyti neleidžiama,
-Repayment Method is mandatory for term loans,Grąžinimo būdas yra privalomas terminuotoms paskoloms,
-Repayment Start Date is mandatory for term loans,Grąžinimo pradžios data yra privaloma terminuotoms paskoloms,
 Report Item,Pranešti apie prekę,
 Report this Item,Pranešti apie šį elementą,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Subrangos užsakytas kiekis: Žaliavų kiekis subrangovams gaminti.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Eilutė ({0}): {1} jau diskontuojamas {2},
 Rows Added in {0},Eilučių pridėta {0},
 Rows Removed in {0},Eilučių pašalinta per {0},
-Sanctioned Amount limit crossed for {0} {1},Sankcionuota {0} {1} peržengta sumos riba,
-Sanctioned Loan Amount already exists for {0} against company {1},{0} įmonei {1} jau yra sankcionuotos paskolos suma,
 Save,Išsaugoti,
 Save Item,Išsaugoti elementą,
 Saved Items,Išsaugotos prekės,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Vartotojas {0} yra išjungtas,
 Users and Permissions,Vartotojai ir leidimai,
 Vacancies cannot be lower than the current openings,Laisvos darbo vietos negali būti mažesnės nei dabartinės angos,
-Valid From Time must be lesser than Valid Upto Time.,Galioja nuo laiko turi būti mažesnė nei galiojanti iki laiko.,
 Valuation Rate required for Item {0} at row {1},{0} eilutėje {1} reikalingas vertės koeficientas,
 Values Out Of Sync,Vertės nesinchronizuotos,
 Vehicle Type is required if Mode of Transport is Road,"Transporto priemonės tipas yra būtinas, jei transporto rūšis yra kelias",
@@ -4211,7 +4168,6 @@
 Add to Cart,Į krepšelį,
 Days Since Last Order,Dienos nuo paskutinio įsakymo,
 In Stock,Prekyboje,
-Loan Amount is mandatory,Paskolos suma yra privaloma,
 Mode Of Payment,Mokėjimo būdas,
 No students Found,Nerasta studentų,
 Not in Stock,Nėra sandėlyje,
@@ -4240,7 +4196,6 @@
 Group by,Grupuoti pagal,
 In stock,Sandelyje,
 Item name,Daikto pavadinimas,
-Loan amount is mandatory,Paskolos suma yra privaloma,
 Minimum Qty,Minimalus kiekis,
 More details,Daugiau informacijos,
 Nature of Supplies,Prekių pobūdis,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Iš viso užpildytas kiekis,
 Qty to Manufacture,Kiekis gaminti,
 Repay From Salary can be selected only for term loans,Grąžinti iš atlyginimo galima pasirinkti tik terminuotoms paskoloms,
-No valid Loan Security Price found for {0},"Nerasta tinkama paskolos užtikrinimo kaina, skirta {0}",
-Loan Account and Payment Account cannot be same,Paskolos ir mokėjimo sąskaitos negali būti vienodos,
-Loan Security Pledge can only be created for secured loans,Paskolos užtikrinimo įkeitimas gali būti sudaromas tik užtikrinant paskolas,
 Social Media Campaigns,Socialinės žiniasklaidos kampanijos,
 From Date can not be greater than To Date,Nuo datos negali būti didesnis nei Iki datos,
 Please set a Customer linked to the Patient,"Nustatykite klientą, susietą su pacientu",
@@ -6437,7 +6389,6 @@
 HR User,HR Vartotojas,
 Appointment Letter,Susitikimo laiškas,
 Job Applicant,Darbas Pareiškėjas,
-Applicant Name,Vardas pareiškėjas,
 Appointment Date,Skyrimo data,
 Appointment Letter Template,Paskyrimo laiško šablonas,
 Body,kūnas,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Sinchronizuojamas progresas,
 Hub Seller Name,Hub Pardavėjo vardas,
 Custom Data,Tinkinti duomenys,
-Member,Narys,
-Partially Disbursed,dalinai Išmokėta,
-Loan Closure Requested,Prašoma paskolos uždarymo,
 Repay From Salary,Grąžinti iš Pajamos,
-Loan Details,paskolos detalės,
-Loan Type,paskolos tipas,
-Loan Amount,Paskolos suma,
-Is Secured Loan,Yra užtikrinta paskola,
-Rate of Interest (%) / Year,Palūkanų norma (%) / metus,
-Disbursement Date,išmokėjimas data,
-Disbursed Amount,Išmokėta suma,
-Is Term Loan,Yra terminuota paskola,
-Repayment Method,grąžinimas būdas,
-Repay Fixed Amount per Period,Grąžinti fiksuotas dydis vienam laikotarpis,
-Repay Over Number of Periods,Grąžinti Over periodų skaičius,
-Repayment Period in Months,Grąžinimo laikotarpis mėnesiais,
-Monthly Repayment Amount,Mėnesio grąžinimo suma,
-Repayment Start Date,Grąžinimo pradžios data,
-Loan Security Details,Paskolos saugumo duomenys,
-Maximum Loan Value,Maksimali paskolos vertė,
-Account Info,Sąskaitos info,
-Loan Account,Paskolos sąskaita,
-Interest Income Account,Palūkanų pajamų sąskaita,
-Penalty Income Account,Baudžiamųjų pajamų sąskaita,
-Repayment Schedule,grąžinimo grafikas,
-Total Payable Amount,Iš viso mokėtina suma,
-Total Principal Paid,Iš viso sumokėta pagrindinė suma,
-Total Interest Payable,Iš viso palūkanų Mokėtina,
-Total Amount Paid,Visa sumokėta suma,
-Loan Manager,Paskolų tvarkytojas,
-Loan Info,paskolos informacija,
-Rate of Interest,Palūkanų norma,
-Proposed Pledges,Siūlomi pasižadėjimai,
-Maximum Loan Amount,Maksimali paskolos suma,
-Repayment Info,grąžinimas Informacija,
-Total Payable Interest,Viso mokėtinos palūkanos,
-Against Loan ,Prieš paskolą,
-Loan Interest Accrual,Sukauptos paskolų palūkanos,
-Amounts,Sumos,
-Pending Principal Amount,Laukiama pagrindinė suma,
-Payable Principal Amount,Mokėtina pagrindinė suma,
-Paid Principal Amount,Sumokėta pagrindinė suma,
-Paid Interest Amount,Sumokėtų palūkanų suma,
-Process Loan Interest Accrual,Proceso paskolų palūkanų kaupimas,
-Repayment Schedule Name,Grąžinimo tvarkaraščio pavadinimas,
 Regular Payment,Reguliarus mokėjimas,
 Loan Closure,Paskolos uždarymas,
-Payment Details,Mokėjimo detalės,
-Interest Payable,Mokėtinos palūkanos,
-Amount Paid,Sumokėta suma,
-Principal Amount Paid,Pagrindinė sumokėta suma,
-Repayment Details,Išsami grąžinimo informacija,
-Loan Repayment Detail,Paskolos grąžinimo detalė,
-Loan Security Name,Paskolos vertybinis popierius,
-Unit Of Measure,Matavimo vienetas,
-Loan Security Code,Paskolos saugumo kodas,
-Loan Security Type,Paskolas užtikrinantis tipas,
-Haircut %,Kirpimas%,
-Loan  Details,Informacija apie paskolą,
-Unpledged,Neįpareigotas,
-Pledged,Pasižadėjo,
-Partially Pledged,Iš dalies pažadėta,
-Securities,Vertybiniai popieriai,
-Total Security Value,Bendra saugumo vertė,
-Loan Security Shortfall,Paskolos saugumo trūkumas,
-Loan ,Paskola,
-Shortfall Time,Trūksta laiko,
-America/New_York,Amerika / New_York,
-Shortfall Amount,Trūkumų suma,
-Security Value ,Apsaugos vertė,
-Process Loan Security Shortfall,Proceso paskolų saugumo trūkumas,
-Loan To Value Ratio,Paskolos ir vertės santykis,
-Unpledge Time,Neįsipareigojimo laikas,
-Loan Name,paskolos Vardas,
 Rate of Interest (%) Yearly,Palūkanų norma (%) Metinės,
-Penalty Interest Rate (%) Per Day,Baudų palūkanų norma (%) per dieną,
-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",
-Grace Period in Days,Lengvatinis laikotarpis dienomis,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,"Dienų nuo termino, iki kurio bauda nebus imama, jei vėluojama grąžinti paskolą, skaičius",
-Pledge,Pasižadėjimas,
-Post Haircut Amount,Skelbkite kirpimo sumą,
-Process Type,Proceso tipas,
-Update Time,Atnaujinimo laikas,
-Proposed Pledge,Siūlomas pasižadėjimas,
-Total Payment,bendras Apmokėjimas,
-Balance Loan Amount,Balansas Paskolos suma,
-Is Accrued,Yra sukaupta,
 Salary Slip Loan,Atlyginimo paskolos paskola,
 Loan Repayment Entry,Paskolos grąžinimo įrašas,
-Sanctioned Loan Amount,Sankcijos sankcijos suma,
-Sanctioned Amount Limit,Sankcionuotas sumos limitas,
-Unpledge,Neapsikentimas,
-Haircut,Kirpimas,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Sukurti Tvarkaraštis,
 Schedules,tvarkaraščiai,
@@ -7885,7 +7749,6 @@
 Update Series,Atnaujinti serija,
 Change the starting / current sequence number of an existing series.,Pakeisti pradinį / trumpalaikiai eilės numerį esamo serijos.,
 Prefix,priešdėlis,
-Current Value,Dabartinė vertė,
 This is the number of the last created transaction with this prefix,Tai yra paskutinio sukurto skaičius operacijoje su šio prefikso,
 Update Series Number,Atnaujinti serijos numeris,
 Quotation Lost Reason,Citata Pamiršote Priežastis,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise Rekomenduojama Pertvarkyti lygis,
 Lead Details,Švino detalės,
 Lead Owner Efficiency,Švinas Savininko efektyvumas,
-Loan Repayment and Closure,Paskolų grąžinimas ir uždarymas,
-Loan Security Status,Paskolos saugumo statusas,
 Lost Opportunity,Prarasta galimybė,
 Maintenance Schedules,priežiūros Tvarkaraščiai,
 Material Requests for which Supplier Quotations are not created,Medžiaga Prašymai dėl kurių Tiekėjas Citatos nėra sukurtos,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Taikomi tikslai: {0},
 Payment Account is mandatory,Mokėjimo sąskaita yra privaloma,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Jei bus pažymėta, prieš apskaičiuojant pajamų mokestį, be deklaracijos ar įrodymo, visa suma bus išskaičiuota iš apmokestinamųjų pajamų.",
-Disbursement Details,Išsami išmokėjimo informacija,
 Material Request Warehouse,Medžiagų užklausų sandėlis,
 Select warehouse for material requests,Pasirinkite sandėlį medžiagų užklausoms,
 Transfer Materials For Warehouse {0},Sandėlio medžiagos perdavimas {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Iš atlyginimo grąžinkite neprašytą sumą,
 Deduction from salary,Išskaičiavimas iš atlyginimo,
 Expired Leaves,Pasibaigę lapai,
-Reference No,nuoroda ne,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,"Kirpimo procentas yra procentinis skirtumas tarp paskolos vertybinių popierių rinkos vertės ir vertės, priskiriamos tam paskolos vertybiniam popieriui, kai jis naudojamas kaip tos paskolos užtikrinimo priemonė.",
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,"Paskolos ir vertės santykis išreiškia paskolos sumos ir įkeisto užstato vertės santykį. Paskolos trūkumas susidarys, jei jis bus mažesnis už nurodytą bet kurios paskolos vertę",
 If this is not checked the loan by default will be considered as a Demand Loan,"Jei tai nėra pažymėta, paskola pagal numatytuosius nustatymus bus laikoma paklausos paskola",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Ši sąskaita naudojama paskolos grąžinimo iš skolininko rezervavimui ir paskolos paskolos gavėjui išmokėjimui,
 This account is capital account which is used to allocate capital for loan disbursal account ,"Ši sąskaita yra kapitalo sąskaita, naudojama paskirstyti kapitalą paskolos išmokėjimo sąskaitai",
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Operacija {0} nepriklauso darbo užsakymui {1},
 Print UOM after Quantity,Spausdinkite UOM po kiekio,
 Set default {0} account for perpetual inventory for non stock items,"Nustatykite numatytąją {0} sąskaitą, skirtą nuolatinėms atsargoms ne akcijoms",
-Loan Security {0} added multiple times,Paskolos apsauga {0} pridėta kelis kartus,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Skolos vertybiniai popieriai su skirtingu LTV santykiu negali būti įkeisti vienai paskolai,
-Qty or Amount is mandatory for loan security!,Kiekis arba suma yra būtini paskolos užtikrinimui!,
-Only submittted unpledge requests can be approved,Galima patvirtinti tik pateiktus nepadengimo įkeitimo prašymus,
-Interest Amount or Principal Amount is mandatory,Palūkanų suma arba pagrindinė suma yra privaloma,
-Disbursed Amount cannot be greater than {0},Išmokėta suma negali būti didesnė nei {0},
-Row {0}: Loan Security {1} added multiple times,{0} eilutė: paskolos apsauga {1} pridėta kelis kartus,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,{0} eilutė: antrinis elementas neturėtų būti produktų rinkinys. Pašalinkite elementą {1} ir išsaugokite,
 Credit limit reached for customer {0},Pasiektas kliento kredito limitas {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Nepavyko automatiškai sukurti kliento dėl šio trūkstamo (-ų) privalomo (-ų) lauko (-ų):,
diff --git a/erpnext/translations/lv.csv b/erpnext/translations/lv.csv
index 17979eb..c6204c1 100644
--- a/erpnext/translations/lv.csv
+++ b/erpnext/translations/lv.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Piemēro, ja uzņēmums ir SpA, SApA vai SRL",
 Applicable if the company is a limited liability company,"Piemēro, ja uzņēmums ir sabiedrība ar ierobežotu atbildību",
 Applicable if the company is an Individual or a Proprietorship,"Piemērojams, ja uzņēmums ir fiziska persona vai īpašnieks",
-Applicant,Pieteikuma iesniedzējs,
-Applicant Type,Pieteikuma iesniedzēja tips,
 Application of Funds (Assets),Līdzekļu (aktīvu),
 Application period cannot be across two allocation records,Pieteikšanās periods nevar būt divos sadalījuma ierakstos,
 Application period cannot be outside leave allocation period,Pieteikumu iesniegšanas termiņš nevar būt ārpus atvaļinājuma piešķiršana periods,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Pieejamo akcionāru saraksts ar folio numuriem,
 Loading Payment System,Maksājumu sistēmas ielāde,
 Loan,Aizdevums,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Kredīta summa nedrīkst pārsniegt maksimālo summu {0},
-Loan Application,Kredīta pieteikums,
-Loan Management,Aizdevumu vadība,
-Loan Repayment,Kredīta atmaksa,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,"Aizdevuma sākuma datums un aizdevuma periods ir obligāti, lai saglabātu rēķina diskontu",
 Loans (Liabilities),Kredītiem (pasīvi),
 Loans and Advances (Assets),Aizdevumi un avansi (aktīvi),
@@ -1611,7 +1605,6 @@
 Monday,Pirmdiena,
 Monthly,Ikmēneša,
 Monthly Distribution,Mēneša Distribution,
-Monthly Repayment Amount cannot be greater than Loan Amount,Ikmēneša atmaksa summa nedrīkst būt lielāka par aizdevuma summu,
 More,Vairāk,
 More Information,Vairāk informācijas,
 More than one selection for {0} not allowed,Nav atļauts atlasīt vairāk nekā vienu {0},
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Maksājiet {0} {1},
 Payable,Maksājams,
 Payable Account,Maksājama konts,
-Payable Amount,Maksājamā summa,
 Payment,Maksājums,
 Payment Cancelled. Please check your GoCardless Account for more details,"Maksājums atcelts. Lai saņemtu sīkāku informāciju, lūdzu, pārbaudiet GoCardless kontu",
 Payment Confirmation,Maksājuma apstiprinājums,
-Payment Date,Maksājuma datums,
 Payment Days,Maksājumu dienas,
 Payment Document,maksājuma dokumentu,
 Payment Due Date,Maksājuma Due Date,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,Ievadiet pirkuma čeka pirmais,
 Please enter Receipt Document,Ievadiet saņemšana dokuments,
 Please enter Reference date,Ievadiet Atsauces datums,
-Please enter Repayment Periods,Ievadiet atmaksas termiņi,
 Please enter Reqd by Date,"Lūdzu, ievadiet Reqd pēc datuma",
 Please enter Woocommerce Server URL,"Lūdzu, ievadiet Woocommerce servera URL",
 Please enter Write Off Account,Ievadiet norakstīt kontu,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,Ievadiet mātes izmaksu centru,
 Please enter quantity for Item {0},Ievadiet daudzumu postenī {0},
 Please enter relieving date.,Ievadiet atbrīvojot datumu.,
-Please enter repayment Amount,Ievadiet atmaksas summa,
 Please enter valid Financial Year Start and End Dates,Ievadiet derīgu finanšu gada sākuma un beigu datumi,
 Please enter valid email address,Ievadiet derīgu e-pasta adresi,
 Please enter {0} first,Ievadiet {0} pirmais,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,"Cenu Noteikumi tālāk filtrē, pamatojoties uz daudzumu.",
 Primary Address Details,Primārās adreses dati,
 Primary Contact Details,Primārā kontaktinformācija,
-Principal Amount,pamatsumma,
 Print Format,Print Format,
 Print IRS 1099 Forms,Drukāt IRS 1099 veidlapas,
 Print Report Card,Drukāt ziņojumu karti,
@@ -2550,7 +2538,6 @@
 Sample Collection,Paraugu kolekcija,
 Sample quantity {0} cannot be more than received quantity {1},Paraugu skaits {0} nevar būt lielāks par saņemto daudzumu {1},
 Sanctioned,sodīts,
-Sanctioned Amount,Sodīts Summa,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sodīt Summa nevar būt lielāka par prasības summas rindā {0}.,
 Sand,Smiltis,
 Saturday,Sestdiena,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} jau ir vecāku procedūra {1}.,
 API,API,
 Annual,Gada,
-Approved,Apstiprināts,
 Change,Maiņa,
 Contact Email,Kontaktpersonas e-pasta,
 Export Type,Eksporta veids,
@@ -3571,7 +3557,6 @@
 Account Value,Konta vērtība,
 Account is mandatory to get payment entries,"Konts ir obligāts, lai iegūtu maksājuma ierakstus",
 Account is not set for the dashboard chart {0},Informācijas paneļa diagrammai konts nav iestatīts {0},
-Account {0} does not belong to company {1},Konts {0} nepieder Sabiedrībai {1},
 Account {0} does not exists in the dashboard chart {1},Konts {0} nepastāv informācijas paneļa diagrammā {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,"Konts: <b>{0}</b> ir kapitāls, kas turpina darbu, un žurnāla ieraksts to nevar atjaunināt",
 Account: {0} is not permitted under Payment Entry,Konts: maksājuma ievadīšanas laikā {0} nav atļauts,
@@ -3582,7 +3567,6 @@
 Activity,Aktivitāte,
 Add / Manage Email Accounts.,Add / Pārvaldīt e-pasta kontu.,
 Add Child,Pievienot Child,
-Add Loan Security,Pievienojiet aizdevuma drošību,
 Add Multiple,Vairāku pievienošana,
 Add Participants,Pievienot dalībniekus,
 Add to Featured Item,Pievienot piedāvātajam vienumam,
@@ -3593,15 +3577,12 @@
 Address Line 1,Adrese Line 1,
 Addresses,Adreses,
 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.,
-Against Loan,Pret aizdevumu,
-Against Loan:,Pret aizdevumu:,
 All,Visi,
 All bank transactions have been created,Visi bankas darījumi ir izveidoti,
 All the depreciations has been booked,Visas amortizācijas ir rezervētas,
 Allocation Expired!,Piešķīruma termiņš ir beidzies!,
 Allow Resetting Service Level Agreement from Support Settings.,Atļaut pakalpojuma līmeņa līguma atiestatīšanu no atbalsta iestatījumiem.,
 Amount of {0} is required for Loan closure,Aizdevuma slēgšanai nepieciešama {0} summa,
-Amount paid cannot be zero,Izmaksātā summa nevar būt nulle,
 Applied Coupon Code,Piemērotais kupona kods,
 Apply Coupon Code,Piesakies kupona kods,
 Appointment Booking,Iecelšanas rezervācija,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,"Nevar aprēķināt ierašanās laiku, jo trūkst draivera adreses.",
 Cannot Optimize Route as Driver Address is Missing.,"Nevar optimizēt maršrutu, jo trūkst vadītāja adreses.",
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Nevar pabeigt uzdevumu {0}, jo no tā atkarīgais uzdevums {1} nav pabeigts / atcelts.",
-Cannot create loan until application is approved,"Nevar izveidot aizdevumu, kamēr pieteikums nav apstiprināts",
 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}.",
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","{0} rindā {1} nevar pārsniegt rēķinu par {0} vairāk nekā {2}. Lai atļautu rēķinu pārsniegšanu, lūdzu, kontu iestatījumos iestatiet pabalstu",
 "Capacity Planning Error, planned start time can not be same as end time","Jaudas plānošanas kļūda, plānotais sākuma laiks nevar būt tāds pats kā beigu laiks",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Mazāks par summu,
 Liabilities,Saistības,
 Loading...,Loading ...,
-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,
 Loan Applications from customers and employees.,Klientu un darbinieku aizdevumu pieteikumi.,
-Loan Disbursement,Kredīta izmaksa,
 Loan Processes,Aizdevumu procesi,
-Loan Security,Aizdevuma nodrošinājums,
-Loan Security Pledge,Aizdevuma nodrošinājuma ķīla,
-Loan Security Pledge Created : {0},Izveidota aizdevuma drošības ķīla: {0},
-Loan Security Price,Aizdevuma nodrošinājuma cena,
-Loan Security Price overlapping with {0},"Aizdevuma nodrošinājuma cena, kas pārklājas ar {0}",
-Loan Security Unpledge,Aizdevuma drošības ķīla,
-Loan Security Value,Aizdevuma drošības vērtība,
 Loan Type for interest and penalty rates,Aizdevuma veids procentiem un soda procentiem,
-Loan amount cannot be greater than {0},Aizdevuma summa nevar būt lielāka par {0},
-Loan is mandatory,Aizdevums ir obligāts,
 Loans,Aizdevumi,
 Loans provided to customers and employees.,Kredīti klientiem un darbiniekiem.,
 Location,Vieta,
@@ -3894,7 +3863,6 @@
 Pay,Maksāt,
 Payment Document Type,Maksājuma dokumenta tips,
 Payment Name,Maksājuma nosaukums,
-Penalty Amount,Soda summa,
 Pending,Līdz,
 Performance,Performance,
 Period based On,"Periods, pamatojoties uz",
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,"Lūdzu, piesakieties kā Marketplace lietotājs, lai rediģētu šo vienumu.",
 Please login as a Marketplace User to report this item.,"Lūdzu, piesakieties kā Marketplace lietotājs, lai ziņotu par šo vienumu.",
 Please select <b>Template Type</b> to download template,"Lūdzu, atlasiet <b>Veidnes veidu,</b> lai lejupielādētu veidni",
-Please select Applicant Type first,"Lūdzu, vispirms atlasiet pretendenta veidu",
 Please select Customer first,"Lūdzu, vispirms izvēlieties klientu",
 Please select Item Code first,"Lūdzu, vispirms atlasiet preces kodu",
-Please select Loan Type for company {0},"Lūdzu, atlasiet aizdevuma veidu uzņēmumam {0}",
 Please select a Delivery Note,"Lūdzu, atlasiet piegādes pavadzīmi",
 Please select a Sales Person for item: {0},"Lūdzu, priekšmetam atlasiet pārdevēju: {0}",
 Please select another payment method. Stripe does not support transactions in currency '{0}',"Lūdzu, izvēlieties citu maksājuma veidu. Stripe neatbalsta darījumus valūtā &#39;{0}&#39;",
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},"Lūdzu, iestatiet uzņēmuma {0} noklusējuma bankas kontu.",
 Please specify,"Lūdzu, norādiet",
 Please specify a {0},"Lūdzu, norādiet {0}",lead
-Pledge Status,Ķīlas statuss,
-Pledge Time,Ķīlas laiks,
 Printing,Iespiešana,
 Priority,Prioritāte,
 Priority has been changed to {0}.,Prioritāte ir mainīta uz {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,XML failu apstrāde,
 Profitability,Rentabilitāte,
 Project,Projekts,
-Proposed Pledges are mandatory for secured Loans,Piedāvātās ķīlas ir obligātas nodrošinātajiem aizdevumiem,
 Provide the academic year and set the starting and ending date.,Norādiet akadēmisko gadu un iestatiet sākuma un beigu datumu.,
 Public token is missing for this bank,Šai bankai trūkst publiska marķiera,
 Publish,Publicēt,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Pirkuma kvītī nav nevienas preces, kurai ir iespējota funkcija Saglabāt paraugu.",
 Purchase Return,Pirkuma Return,
 Qty of Finished Goods Item,Gatavo preču daudzums,
-Qty or Amount is mandatroy for loan security,Daudzums vai daudzums ir mandāts aizdevuma nodrošināšanai,
 Quality Inspection required for Item {0} to submit,"Lai iesniegtu vienumu {0}, nepieciešama kvalitātes pārbaude",
 Quantity to Manufacture,Ražošanas daudzums,
 Quantity to Manufacture can not be zero for the operation {0},Ražošanas daudzums operācijā nevar būt nulle 0,
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Atvieglojuma datumam jābūt lielākam vai vienādam ar iestāšanās datumu,
 Rename,Pārdēvēt,
 Rename Not Allowed,Pārdēvēt nav atļauts,
-Repayment Method is mandatory for term loans,Atmaksas metode ir obligāta termiņa aizdevumiem,
-Repayment Start Date is mandatory for term loans,Atmaksas sākuma datums ir obligāts termiņaizdevumiem,
 Report Item,Pārskata vienums,
 Report this Item,Ziņot par šo vienumu,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,"Rezervētais daudzums apakšlīgumā: Izejvielu daudzums, lai izgatavotu priekšmetus, par kuriem slēdz apakšlīgumu.",
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Rinda ({0}): {1} jau tiek diskontēts {2},
 Rows Added in {0},Rindas pievienotas mapē {0},
 Rows Removed in {0},Rindas noņemtas {0},
-Sanctioned Amount limit crossed for {0} {1},{0} {1} ir pārsniegts sankcijas robežlielums,
-Sanctioned Loan Amount already exists for {0} against company {1},Sankcionētā aizdevuma summa {0} jau pastāv pret uzņēmumu {1},
 Save,Saglabāt,
 Save Item,Saglabāt vienumu,
 Saved Items,Saglabātās preces,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Lietotāja {0} ir invalīds,
 Users and Permissions,Lietotāji un atļaujas,
 Vacancies cannot be lower than the current openings,Vakances nevar būt zemākas par pašreizējām atverēm,
-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.,
 Valuation Rate required for Item {0} at row {1},{0} vienumam {1} nepieciešama vērtēšanas pakāpe,
 Values Out Of Sync,Vērtības ārpus sinhronizācijas,
 Vehicle Type is required if Mode of Transport is Road,"Transportlīdzekļa tips ir nepieciešams, ja transporta veids ir autotransports",
@@ -4211,7 +4168,6 @@
 Add to Cart,Pievienot grozam,
 Days Since Last Order,Dienas kopš pēdējā pasūtījuma,
 In Stock,Noliktavā,
-Loan Amount is mandatory,Aizdevuma summa ir obligāta,
 Mode Of Payment,Maksājuma veidu,
 No students Found,Nav atrasts neviens students,
 Not in Stock,Nav noliktavā,
@@ -4240,7 +4196,6 @@
 Group by,Group By,
 In stock,Noliktavā,
 Item name,Vienības nosaukums,
-Loan amount is mandatory,Aizdevuma summa ir obligāta,
 Minimum Qty,Minimālais daudzums,
 More details,Sīkāka informācija,
 Nature of Supplies,Piegādes veids,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Kopā pabeigtie gab,
 Qty to Manufacture,Daudz ražot,
 Repay From Salary can be selected only for term loans,Atmaksu no algas var izvēlēties tikai termiņa aizdevumiem,
-No valid Loan Security Price found for {0},Vietnei {0} nav atrasta derīga aizdevuma nodrošinājuma cena,
-Loan Account and Payment Account cannot be same,Kredīta konts un maksājumu konts nevar būt vienādi,
-Loan Security Pledge can only be created for secured loans,Kredīta nodrošinājumu var izveidot tikai nodrošinātiem aizdevumiem,
 Social Media Campaigns,Sociālo mediju kampaņas,
 From Date can not be greater than To Date,Sākot no datuma nevar būt lielāks par datumu,
 Please set a Customer linked to the Patient,"Lūdzu, iestatiet klientu, kas saistīts ar pacientu",
@@ -6437,7 +6389,6 @@
 HR User,HR User,
 Appointment Letter,Iecelšanas vēstule,
 Job Applicant,Darba iesniedzējs,
-Applicant Name,Pieteikuma iesniedzēja nosaukums,
 Appointment Date,Iecelšanas datums,
 Appointment Letter Template,Iecelšanas vēstules veidne,
 Body,Korpuss,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Sinhronizācija notiek,
 Hub Seller Name,Hub Pārdevēja vārds,
 Custom Data,Pielāgoti dati,
-Member,Biedrs,
-Partially Disbursed,Daļēji Izmaksātā,
-Loan Closure Requested,Pieprasīta aizdevuma slēgšana,
 Repay From Salary,Atmaksāt no algas,
-Loan Details,aizdevums Details,
-Loan Type,aizdevuma veids,
-Loan Amount,Kredīta summa,
-Is Secured Loan,Ir nodrošināts aizdevums,
-Rate of Interest (%) / Year,Procentu likme (%) / gads,
-Disbursement Date,izmaksu datums,
-Disbursed Amount,Izmaksātā summa,
-Is Term Loan,Ir termiņa aizdevums,
-Repayment Method,atmaksas metode,
-Repay Fixed Amount per Period,Atmaksāt summu par vienu periodu,
-Repay Over Number of Periods,Atmaksāt Over periodu skaits,
-Repayment Period in Months,Atmaksas periods mēnešos,
-Monthly Repayment Amount,Ikmēneša maksājums Summa,
-Repayment Start Date,Atmaksas sākuma datums,
-Loan Security Details,Aizdevuma drošības informācija,
-Maximum Loan Value,Maksimālā aizdevuma vērtība,
-Account Info,konta informācija,
-Loan Account,Kredīta konts,
-Interest Income Account,Procentu ienākuma konts,
-Penalty Income Account,Soda ienākumu konts,
-Repayment Schedule,atmaksas grafiks,
-Total Payable Amount,Kopējā maksājamā summa,
-Total Principal Paid,Kopā samaksātā pamatsumma,
-Total Interest Payable,Kopā maksājamie procenti,
-Total Amount Paid,Kopējā samaksātā summa,
-Loan Manager,Aizdevumu pārvaldnieks,
-Loan Info,Loan informācija,
-Rate of Interest,Procentu likme,
-Proposed Pledges,Ierosinātās ķīlas,
-Maximum Loan Amount,Maksimālais Kredīta summa,
-Repayment Info,atmaksas info,
-Total Payable Interest,Kopā Kreditoru Procentu,
-Against Loan ,Pret aizdevumu,
-Loan Interest Accrual,Kredīta procentu uzkrājums,
-Amounts,Summas,
-Pending Principal Amount,Nepabeigtā pamatsumma,
-Payable Principal Amount,Maksājamā pamatsumma,
-Paid Principal Amount,Apmaksātā pamatsumma,
-Paid Interest Amount,Samaksāto procentu summa,
-Process Loan Interest Accrual,Procesa aizdevuma procentu uzkrājums,
-Repayment Schedule Name,Atmaksas grafika nosaukums,
 Regular Payment,Regulārs maksājums,
 Loan Closure,Aizdevuma slēgšana,
-Payment Details,Maksājumu informācija,
-Interest Payable,Maksājamie procenti,
-Amount Paid,Samaksātā summa,
-Principal Amount Paid,Samaksātā pamatsumma,
-Repayment Details,Informācija par atmaksu,
-Loan Repayment Detail,Informācija par aizdevuma atmaksu,
-Loan Security Name,Aizdevuma vērtspapīra nosaukums,
-Unit Of Measure,Mērvienība,
-Loan Security Code,Aizdevuma drošības kods,
-Loan Security Type,Aizdevuma drošības veids,
-Haircut %,Matu griezums,
-Loan  Details,Informācija par aizdevumu,
-Unpledged,Neapsolīts,
-Pledged,Ieķīlāts,
-Partially Pledged,Daļēji ieķīlāts,
-Securities,Vērtspapīri,
-Total Security Value,Kopējā drošības vērtība,
-Loan Security Shortfall,Aizdevuma nodrošinājuma deficīts,
-Loan ,Aizdevums,
-Shortfall Time,Trūkuma laiks,
-America/New_York,Amerika / New_York,
-Shortfall Amount,Iztrūkuma summa,
-Security Value ,Drošības vērtība,
-Process Loan Security Shortfall,Procesa aizdevuma drošības deficīts,
-Loan To Value Ratio,Aizdevuma un vērtības attiecība,
-Unpledge Time,Nepārdošanas laiks,
-Loan Name,aizdevums Name,
 Rate of Interest (%) Yearly,Procentu likme (%) Gada,
-Penalty Interest Rate (%) Per Day,Soda procentu likme (%) dienā,
-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",
-Grace Period in Days,Labvēlības periods dienās,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,"Dienu skaits no noteiktā datuma, līdz kuram soda nauda netiks iekasēta, ja aizkavēsies aizdevuma atmaksa",
-Pledge,Ķīla,
-Post Haircut Amount,Post matu griezuma summa,
-Process Type,Procesa tips,
-Update Time,Atjaunināšanas laiks,
-Proposed Pledge,Ierosinātā ķīla,
-Total Payment,kopējais maksājums,
-Balance Loan Amount,Balance Kredīta summa,
-Is Accrued,Ir uzkrāts,
 Salary Slip Loan,Algas slīdēšanas kredīts,
 Loan Repayment Entry,Kredīta atmaksas ieraksts,
-Sanctioned Loan Amount,Sankcionētā aizdevuma summa,
-Sanctioned Amount Limit,Sankcionētās summas ierobežojums,
-Unpledge,Neapsolīšana,
-Haircut,Matu griezums,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Izveidot Kalendārs,
 Schedules,Saraksti,
@@ -7885,7 +7749,6 @@
 Update Series,Update 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.,
 Prefix,Priedēklis,
-Current Value,Pašreizējā vērtība,
 This is the number of the last created transaction with this prefix,Tas ir skaitlis no pēdējiem izveidots darījuma ar šo prefiksu,
 Update Series Number,Update Series skaits,
 Quotation Lost Reason,Piedāvājuma Zaudējuma Iemesls,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise Ieteicams Pārkārtot Level,
 Lead Details,Potenciālā klienta detaļas,
 Lead Owner Efficiency,Lead Īpašnieks Efektivitāte,
-Loan Repayment and Closure,Kredīta atmaksa un slēgšana,
-Loan Security Status,Aizdevuma drošības statuss,
 Lost Opportunity,Zaudēta iespēja,
 Maintenance Schedules,Apkopes grafiki,
 Material Requests for which Supplier Quotations are not created,"Materiāls pieprasījumi, par kuriem Piegādātājs Citāti netiek radīti",
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Mērķtiecīgi skaitļi: {0},
 Payment Account is mandatory,Maksājumu konts ir obligāts,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Pārbaudot, pirms ienākuma nodokļa aprēķināšanas bez deklarācijas vai pierādījumu iesniegšanas tiks atskaitīta pilna summa no apliekamā ienākuma.",
-Disbursement Details,Informācija par izmaksu,
 Material Request Warehouse,Materiālu pieprasījumu noliktava,
 Select warehouse for material requests,Atlasiet noliktavu materiālu pieprasījumiem,
 Transfer Materials For Warehouse {0},Materiālu pārsūtīšana noliktavai {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Atmaksājiet nepieprasīto summu no algas,
 Deduction from salary,Atskaitīšana no algas,
 Expired Leaves,"Lapas, kurām beidzies derīguma termiņš",
-Reference No,Atsauces Nr,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,"Matu griezuma procents ir procentuālā starpība starp Aizdevuma vērtspapīra tirgus vērtību un šim Aizdevuma vērtspapīram piešķirto vērtību, ja to izmanto kā nodrošinājumu šim aizdevumam.",
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,"Aizdevuma un vērtības attiecība izsaka aizdevuma summas attiecību pret ieķīlātā nodrošinājuma vērtību. Aizdevuma nodrošinājuma deficīts tiks aktivizēts, ja tas nokritīsies zem jebkura aizdevuma norādītās vērtības",
 If this is not checked the loan by default will be considered as a Demand Loan,"Ja tas nav pārbaudīts, aizdevums pēc noklusējuma tiks uzskatīts par Pieprasījuma aizdevumu",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,"Šis konts tiek izmantots, lai rezervētu aizdevuma atmaksu no aizņēmēja un arī aizdevuma izmaksu aizņēmējam",
 This account is capital account which is used to allocate capital for loan disbursal account ,"Šis konts ir kapitāla konts, ko izmanto, lai piešķirtu kapitālu aizdevuma izmaksas kontam",
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Darbība {0} nepieder pie darba pasūtījuma {1},
 Print UOM after Quantity,Drukāt UOM pēc daudzuma,
 Set default {0} account for perpetual inventory for non stock items,"Iestatiet noklusējuma {0} kontu pastāvīgajam krājumam precēm, kas nav krājumi",
-Loan Security {0} added multiple times,Kredīta nodrošinājums {0} tika pievienots vairākas reizes,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Aizdevuma vērtspapīrus ar atšķirīgu LTV koeficientu nevar ieķīlāt pret vienu aizdevumu,
-Qty or Amount is mandatory for loan security!,Daudzums vai summa ir obligāta aizdevuma nodrošināšanai!,
-Only submittted unpledge requests can be approved,Apstiprināt var tikai iesniegtos neķīlas pieprasījumus,
-Interest Amount or Principal Amount is mandatory,Procentu summa vai pamatsumma ir obligāta,
-Disbursed Amount cannot be greater than {0},Izmaksātā summa nedrīkst būt lielāka par {0},
-Row {0}: Loan Security {1} added multiple times,{0}. Rinda: Kredīta nodrošinājums {1} tika pievienots vairākas reizes,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,"{0}. Rinda: pakārtotajam vienumam nevajadzētu būt produktu komplektam. Lūdzu, noņemiet vienumu {1} un saglabājiet",
 Credit limit reached for customer {0},Kredīta limits sasniegts klientam {0},
 Could not auto create Customer due to the following missing mandatory field(s):,"Nevarēja automātiski izveidot klientu, jo trūkst šāda (-u) obligātā (-o) lauka (-u):",
diff --git a/erpnext/translations/mk.csv b/erpnext/translations/mk.csv
index 9007b6c..a225f81 100644
--- a/erpnext/translations/mk.csv
+++ b/erpnext/translations/mk.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Применливо е ако компанијата е SpA, SApA или SRL",
 Applicable if the company is a limited liability company,Се применува доколку компанијата е компанија со ограничена одговорност,
 Applicable if the company is an Individual or a Proprietorship,Се применува доколку компанијата е индивидуа или сопственост,
-Applicant,Апликант,
-Applicant Type,Тип на апликант,
 Application of Funds (Assets),Примена на средства (средства),
 Application period cannot be across two allocation records,Периодот на примена не може да биде во две записи за распределба,
 Application period cannot be outside leave allocation period,Период апликација не може да биде надвор одмор период распределба,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Листа на достапни акционери со фолио броеви,
 Loading Payment System,Вчитување на платниот систем,
 Loan,Заем,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Износ на кредитот не може да надмине максимален заем во износ од {0},
-Loan Application,Апликација за заем,
-Loan Management,Кредит за управување,
-Loan Repayment,отплата на кредитот,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Датум на започнување со заемот и период на заемот се задолжителни за да ја зачувате попуст на фактурата,
 Loans (Liabilities),Кредити (Пасива),
 Loans and Advances (Assets),Кредити и побарувања (средства),
@@ -1611,7 +1605,6 @@
 Monday,Понеделник,
 Monthly,Месечен,
 Monthly Distribution,Месечен Дистрибуција,
-Monthly Repayment Amount cannot be greater than Loan Amount,Месечна отплата износ не може да биде поголем од кредит Износ,
 More,Повеќе,
 More Information,Повеќе информации,
 More than one selection for {0} not allowed,Не е дозволено повеќе од еден избор за {0},
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Плаќаат {0} {1},
 Payable,Треба да се плати,
 Payable Account,Треба да се плати сметката,
-Payable Amount,Платен износ,
 Payment,Плаќање,
 Payment Cancelled. Please check your GoCardless Account for more details,Откажаното плаќање. Ве молиме проверете ја вашата GoCardless сметка за повеќе детали,
 Payment Confirmation,Потврда за исплата,
-Payment Date,Датум за плаќање,
 Payment Days,Плаќање дена,
 Payment Document,плаќање документ,
 Payment Due Date,Плаќање најдоцна до Датум,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,Ве молиме внесете Набавка Потврда прв,
 Please enter Receipt Document,Ве молиме внесете Потврда документ,
 Please enter Reference date,Ве молиме внесете Референтен датум,
-Please enter Repayment Periods,Ве молиме внесете отплата периоди,
 Please enter Reqd by Date,Ве молиме внесете Reqd по датум,
 Please enter Woocommerce Server URL,Внесете URL на Woocommerce Server,
 Please enter Write Off Account,Ве молиме внесете го отпише профил,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,Ве молиме внесете цена центар родител,
 Please enter quantity for Item {0},Ве молиме внесете количество за Точка {0},
 Please enter relieving date.,Ве молиме внесете ослободување датум.,
-Please enter repayment Amount,Ве молиме внесете отплата износ,
 Please enter valid Financial Year Start and End Dates,Ве молиме внесете валидна Финансиска година на отпочнување и завршување,
 Please enter valid email address,Ве молиме внесете валидна е-мејл адреса,
 Please enter {0} first,Ве молиме внесете {0} прв,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Правила цените се уште се филтрирани врз основа на квантитетот.,
 Primary Address Details,Детали за примарна адреса,
 Primary Contact Details,Основни детали за контакт,
-Principal Amount,главнината,
 Print Format,Печати формат,
 Print IRS 1099 Forms,Печатете обрасци IRS 1099,
 Print Report Card,Печатење на извештај картичка,
@@ -2550,7 +2538,6 @@
 Sample Collection,Збирка примероци,
 Sample quantity {0} cannot be more than received quantity {1},Количината на примерокот {0} не може да биде повеќе од добиената количина {1},
 Sanctioned,Санкционирани,
-Sanctioned Amount,Износ санкционира,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Санкционирани сума не може да биде поголема од Тврдат Износ во ред {0}.,
 Sand,Песок,
 Saturday,Сабота,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} веќе има Матична постапка {1}.,
 API,API,
 Annual,Годишен,
-Approved,Одобрени,
 Change,Промени,
 Contact Email,Контакт E-mail,
 Export Type,Тип на извоз,
@@ -3571,7 +3557,6 @@
 Account Value,Вредност на сметката,
 Account is mandatory to get payment entries,Сметката е задолжителна за да добиете записи за плаќање,
 Account is not set for the dashboard chart {0},Сметката не е поставена за табелата во таблата {0,
-Account {0} does not belong to company {1},На сметка {0} не му припаѓа на компанијата {1},
 Account {0} does not exists in the dashboard chart {1},Сметката {0} не постои во табелата со табла {1,
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Сметка: <b>{0}</b> е капитал Работа во тек и не може да се ажурира од страна на списание Влез,
 Account: {0} is not permitted under Payment Entry,Сметка: {0} не е дозволено под уписот за плаќање,
@@ -3582,7 +3567,6 @@
 Activity,Активност,
 Add / Manage Email Accounts.,Додадете / Управување со е-мејл профили.,
 Add Child,Додади детето,
-Add Loan Security,Додадете безбедност за заем,
 Add Multiple,Додади Повеќе,
 Add Participants,Додајте учесници,
 Add to Featured Item,Додај во Избрана ставка,
@@ -3593,15 +3577,12 @@
 Address Line 1,Адреса Линија 1,
 Addresses,Адреси,
 Admission End Date should be greater than Admission Start Date.,Датумот на завршување на приемот треба да биде поголем од датумот на започнување со приемот.,
-Against Loan,Против заем,
-Against Loan:,Против заем:,
 All,Сите,
 All bank transactions have been created,Создадени се сите банкарски трансакции,
 All the depreciations has been booked,Сите амортизации се резервирани,
 Allocation Expired!,Распределбата истече!,
 Allow Resetting Service Level Agreement from Support Settings.,Дозволи ресетирање на договорот за ниво на услугата од поставките за поддршка.,
 Amount of {0} is required for Loan closure,За затворање на заемот е потребна сума од {0,
-Amount paid cannot be zero,Платената сума не може да биде нула,
 Applied Coupon Code,Применет купонски код,
 Apply Coupon Code,Аплицирајте код за купон,
 Appointment Booking,Резервација за назначување,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,Не може да се пресмета времето на пристигнување како што недостасува адресата на возачот.,
 Cannot Optimize Route as Driver Address is Missing.,"Не можам да го оптимизирам патот, бидејќи адресата на возачот недостасува.",
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Не можам да ја завршам задачата {0} како нејзина зависна задача {1} не се комплетирани / откажани.,
-Cannot create loan until application is approved,Не можам да создадам заем сè додека не се одобри апликацијата,
 Cannot find a matching Item. Please select some other value for {0}.,Не може да се најде ставка. Ве молиме одберете некои други вредност за {0}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Не може да се преполнува за ставка {0} по ред {1} повеќе од {2. За да дозволите прекумерно наплата, ве молам поставете додаток во Поставки за сметки",
 "Capacity Planning Error, planned start time can not be same as end time","Грешка при планирање на капацитетот, планираното време на започнување не може да биде исто како и времето на завршување",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Помалку од износот,
 Liabilities,Обврски,
 Loading...,Се вчитува ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Износот на заемот го надминува максималниот износ на заем од {0} според предложените хартии од вредност,
 Loan Applications from customers and employees.,Апликации за заем од клиенти и вработени.,
-Loan Disbursement,Исплата на заем,
 Loan Processes,Процеси на заем,
-Loan Security,Обезбедување на заем,
-Loan Security Pledge,Залог за безбедност на заем,
-Loan Security Pledge Created : {0},Создаден залог за заем за заем: {0},
-Loan Security Price,Цена на заемот за заем,
-Loan Security Price overlapping with {0},Преклопување на цената на заемот со преклопување со {0,
-Loan Security Unpledge,Заложба за безбедност на заемот,
-Loan Security Value,Безбедна вредност на заемот,
 Loan Type for interest and penalty rates,Тип на заем за каматни стапки и казни,
-Loan amount cannot be greater than {0},Износот на заемот не може да биде поголем од {0,
-Loan is mandatory,Заемот е задолжителен,
 Loans,Заеми,
 Loans provided to customers and employees.,Кредити обезбедени на клиенти и вработени.,
 Location,Локација,
@@ -3894,7 +3863,6 @@
 Pay,Плаќаат,
 Payment Document Type,Тип на документ за плаќање,
 Payment Name,Име на плаќање,
-Penalty Amount,Износ на казна,
 Pending,Во очекување,
 Performance,Изведба,
 Period based On,Период врз основа на,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,Ве молиме најавете се како Корисник на Marketplace за да ја уредувате оваа ставка.,
 Please login as a Marketplace User to report this item.,Ве молиме најавете се како Корисник на пазарот за да ја пријавите оваа ставка.,
 Please select <b>Template Type</b> to download template,Изберете <b>Шаблон</b> за шаблон за преземање на образецот,
-Please select Applicant Type first,"Ве молиме, прво изберете го Тип на апликант",
 Please select Customer first,"Ве молиме, прво изберете клиент",
 Please select Item Code first,"Ве молиме, прво изберете го кодот на артикалот",
-Please select Loan Type for company {0},Изберете Тип на заем за компанија {0,
 Please select a Delivery Note,Изберете белешка за испорака,
 Please select a Sales Person for item: {0},Изберете лице за продажба за производот: {0,
 Please select another payment method. Stripe does not support transactions in currency '{0}',Ве молам изберете друг начин на плаќање. Лента не поддржува трансакции во валута &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Поставете основна банкарска сметка за компанијата {0,
 Please specify,Ве молиме наведете,
 Please specify a {0},Ве молиме наведете {0,lead
-Pledge Status,Статус на залог,
-Pledge Time,Време на залог,
 Printing,Печатење,
 Priority,Приоритет,
 Priority has been changed to {0}.,Приоритет е променет на {0.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Обработка на датотеки со XML,
 Profitability,Профитабилноста,
 Project,Проект,
-Proposed Pledges are mandatory for secured Loans,Предложените залози се задолжителни за обезбедени заеми,
 Provide the academic year and set the starting and ending date.,Обезбедете ја академската година и поставете го датумот на започнување и завршување.,
 Public token is missing for this bank,Јавниот знак недостасува за оваа банка,
 Publish,Објавете,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Потврда за набавка нема никаква ставка за која е овозможен задржување на примерокот.,
 Purchase Return,Купување Враќање,
 Qty of Finished Goods Item,Количина на готови производи,
-Qty or Amount is mandatroy for loan security,Количина или износот е мандатроја за обезбедување на заем,
 Quality Inspection required for Item {0} to submit,Потребна е инспекција за квалитет за точката {0} за поднесување,
 Quantity to Manufacture,Количина на производство,
 Quantity to Manufacture can not be zero for the operation {0},Количината на производство не може да биде нула за работењето {0,
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Датумот на ослободување мора да биде поголем или еднаков на датумот на придружување,
 Rename,Преименувај,
 Rename Not Allowed,Преименување не е дозволено,
-Repayment Method is mandatory for term loans,Метод на отплата е задолжителен за заеми со рок,
-Repayment Start Date is mandatory for term loans,Датумот на започнување на отплата е задолжителен за заеми со термин,
 Report Item,Известување ставка,
 Report this Item,Пријави ја оваа ставка,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Резервирана количина за подизведувач: Количина на суровини за да се направат подизведувачи.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Ред (0}}): {1} веќе е намалена за {2,
 Rows Added in {0},Редови додадени во {0},
 Rows Removed in {0},Редови се отстранети за {0,
-Sanctioned Amount limit crossed for {0} {1},Преминета граница на изречена санкција за {0} {1,
-Sanctioned Loan Amount already exists for {0} against company {1},Износот на санкцијата за заем веќе постои за {0} против компанија {1,
 Save,Зачувај,
 Save Item,Зачувајте ставка,
 Saved Items,Зачувани артикли,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Корисник {0} е исклучен,
 Users and Permissions,Корисници и дозволи,
 Vacancies cannot be lower than the current openings,Конкурсите не можат да бидат пониски од тековните отвори,
-Valid From Time must be lesser than Valid Upto Time.,Валидно од времето мора да биде помало од валидно време на вклучување.,
 Valuation Rate required for Item {0} at row {1},Потребна е стапка на вреднување за точка {0} по ред {1},
 Values Out Of Sync,Вредности надвор од синхронизација,
 Vehicle Type is required if Mode of Transport is Road,Тип на возило е потребен ако режимот на транспорт е пат,
@@ -4211,7 +4168,6 @@
 Add to Cart,Додади во кошничка,
 Days Since Last Order,Денови од последната нарачка,
 In Stock,Залиха,
-Loan Amount is mandatory,Износот на заемот е задолжителен,
 Mode Of Payment,Начин на плаќање,
 No students Found,Не се пронајдени студенти,
 Not in Stock,Не во парк,
@@ -4240,7 +4196,6 @@
 Group by,Со група,
 In stock,На залиха,
 Item name,Точка Име,
-Loan amount is mandatory,Износот на заемот е задолжителен,
 Minimum Qty,Минимална количина,
 More details,Повеќе детали,
 Nature of Supplies,Природата на материјали,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Вкупно завршена количина,
 Qty to Manufacture,Количина на производство,
 Repay From Salary can be selected only for term loans,Отплата од плата може да се избере само за орочени заеми,
-No valid Loan Security Price found for {0},Не е пронајдена важечка цена за безбедност на заемот за {0},
-Loan Account and Payment Account cannot be same,Сметката за заем и сметката за плаќање не можат да бидат исти,
-Loan Security Pledge can only be created for secured loans,Залог за обезбедување заем може да се креира само за обезбедени заеми,
 Social Media Campaigns,Кампањи за социјални медиуми,
 From Date can not be greater than To Date,Од Датум не може да биде поголема од До денес,
 Please set a Customer linked to the Patient,Ве молиме поставете клиент поврзан со пациентот,
@@ -6437,7 +6389,6 @@
 HR User,HR пристап,
 Appointment Letter,Писмо за именувања,
 Job Applicant,Работа на апликантот,
-Applicant Name,Подносител на барањето Име,
 Appointment Date,Датум на назначување,
 Appointment Letter Template,Шаблон за писмо за назначување,
 Body,Тело,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Синхронизацијата е во тек,
 Hub Seller Name,Име на продавачот на хаб,
 Custom Data,Прилагодени податоци,
-Member,Член,
-Partially Disbursed,делумно исплатени,
-Loan Closure Requested,Побарано затворање на заем,
 Repay From Salary,Отплати од плата,
-Loan Details,Детали за заем,
-Loan Type,Тип на кредит,
-Loan Amount,Износ на кредитот,
-Is Secured Loan,Е заштитен заем,
-Rate of Interest (%) / Year,Каматна стапка (%) / година,
-Disbursement Date,Датум на повлекување средства,
-Disbursed Amount,Испрати сума,
-Is Term Loan,Дали е термин заем,
-Repayment Method,Начин на отплата,
-Repay Fixed Amount per Period,Отплати фиксен износ за период,
-Repay Over Number of Periods,Отплати текот број на периоди,
-Repayment Period in Months,Отплата Период во месеци,
-Monthly Repayment Amount,Месечна отплата износ,
-Repayment Start Date,Датум на почеток на отплата,
-Loan Security Details,Детали за безбедност на заемот,
-Maximum Loan Value,Максимална вредност на заемот,
-Account Info,информации за сметката,
-Loan Account,Сметка за заем,
-Interest Income Account,Сметка приход од камата,
-Penalty Income Account,Сметка за казни,
-Repayment Schedule,Распоред на отплата,
-Total Payable Amount,Вкупно се плаќаат Износ,
-Total Principal Paid,Вкупно платена главница,
-Total Interest Payable,Вкупно камати,
-Total Amount Paid,Вкупен износ платен,
-Loan Manager,Менаџер за заем,
-Loan Info,Информации за заем,
-Rate of Interest,Каматна стапка,
-Proposed Pledges,Предложени ветувања,
-Maximum Loan Amount,Максимален заем Износ,
-Repayment Info,Информации за отплата,
-Total Payable Interest,Вкупно се плаќаат камати,
-Against Loan ,Против заем,
-Loan Interest Accrual,Каматна стапка на акредитиви,
-Amounts,Износи,
-Pending Principal Amount,Во очекување на главната сума,
-Payable Principal Amount,Износ на главнината што се плаќа,
-Paid Principal Amount,Платена главна сума,
-Paid Interest Amount,Износ на платена камата,
-Process Loan Interest Accrual,Инвестициска камата за заем за процеси,
-Repayment Schedule Name,Име на распоред на отплата,
 Regular Payment,Редовно плаќање,
 Loan Closure,Затворање на заем,
-Payment Details,Детали за плаќањата,
-Interest Payable,Камата што се плаќа,
-Amount Paid,Уплатениот износ,
-Principal Amount Paid,Главен износ платен,
-Repayment Details,Детали за отплата,
-Loan Repayment Detail,Детал за отплата на заемот,
-Loan Security Name,Име за безбедност на заем,
-Unit Of Measure,Единица мерка,
-Loan Security Code,Кодекс за безбедност на заем,
-Loan Security Type,Тип на сигурност за заем,
-Haircut %,Фризура%,
-Loan  Details,Детали за заем,
-Unpledged,Несакана,
-Pledged,Вети,
-Partially Pledged,Делумно заложен,
-Securities,Хартии од вредност,
-Total Security Value,Вкупен безбедносна вредност,
-Loan Security Shortfall,Недостаток на безбедност на заемот,
-Loan ,Заем,
-Shortfall Time,Време на недостаток,
-America/New_York,Америка / Newу_Јорк,
-Shortfall Amount,Количина на недостаток,
-Security Value ,Безбедносна вредност,
-Process Loan Security Shortfall,Недостаток на безбедност за заем во процеси,
-Loan To Value Ratio,Сооднос на заем до вредност,
-Unpledge Time,Време на одметнување,
-Loan Name,заем Име,
 Rate of Interest (%) Yearly,Каматна стапка (%) Годишен,
-Penalty Interest Rate (%) Per Day,Казна каматна стапка (%) на ден,
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Казнената каматна стапка се наплатува на висината на каматата на дневна основа во случај на задоцнета отплата,
-Grace Period in Days,Грејс Период во денови,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,Број на денови од датумот на доспевање до која казна нема да се наплатува во случај на доцнење во отплатата на заемот,
-Pledge,Залог,
-Post Haircut Amount,Износ износ на фризура,
-Process Type,Тип на процес,
-Update Time,Време на ажурирање,
-Proposed Pledge,Предлог залог,
-Total Payment,Вкупно исплата,
-Balance Loan Amount,Биланс на кредит Износ,
-Is Accrued,Се стекнува,
 Salary Slip Loan,Плата за лизгање на пензија,
 Loan Repayment Entry,Влез за отплата на заем,
-Sanctioned Loan Amount,Изречена сума на заем,
-Sanctioned Amount Limit,Граничен износ на санкција,
-Unpledge,Вметнување,
-Haircut,Фризура,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Генерирање Распоред,
 Schedules,Распоред,
@@ -7885,7 +7749,6 @@
 Update Series,Ажурирање Серија,
 Change the starting / current sequence number of an existing series.,Промените почетниот / тековниот број на секвенца на постоечки серија.,
 Prefix,Префикс,
-Current Value,Сегашна вредност,
 This is the number of the last created transaction with this prefix,Ова е бројот на последниот создадена трансакција со овој префикс,
 Update Series Number,Ажурирање Серија број,
 Quotation Lost Reason,Причина за Нереализирана Понуда,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise Препорачани Пренареждане ниво,
 Lead Details,Детали за Потенцијален клиент,
 Lead Owner Efficiency,Водач сопственик ефикасност,
-Loan Repayment and Closure,Отплата и затворање на заем,
-Loan Security Status,Статус на заем за заем,
 Lost Opportunity,Изгубена можност,
 Maintenance Schedules,Распоред за одржување,
 Material Requests for which Supplier Quotations are not created,Материјал Барања за кои не се создадени Добавувачот Цитати,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Броеви насочени: {0},
 Payment Account is mandatory,Сметката за плаќање е задолжителна,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Ако се провери, целиот износ ќе се одземе од оданочивиот доход пред да се пресмета данокот на доход без каква било изјава или доказ.",
-Disbursement Details,Детали за исплата,
 Material Request Warehouse,Магацин за барање материјали,
 Select warehouse for material requests,Изберете магацин за материјални барања,
 Transfer Materials For Warehouse {0},Трансфер материјали за магацин {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Отплати небаран износ од плата,
 Deduction from salary,Намалување од плата,
 Expired Leaves,Истечени лисја,
-Reference No,Референца бр,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,Процент на фризура е процентната разлика помеѓу пазарната вредност на гаранцијата за заем и вредноста припишана на таа гаранција на заемот кога се користи како обезбедување за тој заем.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,Соодносот на заемот и вредноста го изразува односот на износот на заемот и вредноста на заложената хартија од вредност. Недостаток на сигурност на заем ќе се активира доколку падне под одредената вредност за кој било заем,
 If this is not checked the loan by default will be considered as a Demand Loan,"Доколку ова не е проверено, заемот по дифолт ќе се смета како заем за побарувачка",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Оваа сметка се користи за резервирање на отплати на заеми од заемопримачот и исто така за исплата на заеми на заемопримачот,
 This account is capital account which is used to allocate capital for loan disbursal account ,Оваа сметка е капитална сметка што се користи за алокација на капитал за сметка за исплата на заем,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Операцијата {0} не припаѓа на налогот за работа {1},
 Print UOM after Quantity,Печатете UOM по количина,
 Set default {0} account for perpetual inventory for non stock items,Поставете стандардна сметка на {0} за вечен инвентар за берзански ставки,
-Loan Security {0} added multiple times,Безбедноста на заемот {0} се додава повеќе пати,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Хартии од вредност на заемот со различен однос на LTV не можат да се заложат за еден заем,
-Qty or Amount is mandatory for loan security!,Количина или износ е задолжителна за обезбедување заем!,
-Only submittted unpledge requests can be approved,Може да се одобрат само поднесени барања за залог,
-Interest Amount or Principal Amount is mandatory,Износ на камата или износ на главница е задолжителен,
-Disbursed Amount cannot be greater than {0},Исплатената сума не може да биде поголема од {0},
-Row {0}: Loan Security {1} added multiple times,Ред {0}: Безбедност на заем {1} додадена повеќе пати,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Ред # {0}: Детска ставка не треба да биде пакет производи. Ве молиме отстранете ја ставката {1} и зачувајте,
 Credit limit reached for customer {0},Постигнат кредитен лимит за клиентот {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Не може автоматски да се создаде клиент поради следново недостасува задолжително поле (и):,
diff --git a/erpnext/translations/ml.csv b/erpnext/translations/ml.csv
index 94621c3..bd6f65f 100644
--- a/erpnext/translations/ml.csv
+++ b/erpnext/translations/ml.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","കമ്പനി സ്പാ, സാപ്പ അല്ലെങ്കിൽ എസ്ആർ‌എൽ ആണെങ്കിൽ ബാധകമാണ്",
 Applicable if the company is a limited liability company,കമ്പനി ഒരു പരിമിത ബാധ്യതാ കമ്പനിയാണെങ്കിൽ ബാധകമാണ്,
 Applicable if the company is an Individual or a Proprietorship,കമ്പനി ഒരു വ്യക്തിയോ പ്രൊപ്രൈറ്റർഷിപ്പോ ആണെങ്കിൽ ബാധകമാണ്,
-Applicant,അപേക്ഷക,
-Applicant Type,അപേക്ഷകന്റെ തരം,
 Application of Funds (Assets),ഫണ്ട് അപേക്ഷാ (ആസ്തികൾ),
 Application period cannot be across two allocation records,അപേക്ഷാ കാലയളവ് രണ്ട് വകഭേദാ രേഖകളിലായിരിക്കരുത്,
 Application period cannot be outside leave allocation period,അപേക്ഷാ കാലയളവിൽ പുറത്ത് ലീവ് അലോക്കേഷൻ കാലഘട്ടം ആകാൻ പാടില്ല,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,ഫോളിയോ നമ്പറുകളുള്ള ഷെയർഹോൾഡർമാരുടെ പട്ടിക,
 Loading Payment System,പേയ്മെന്റ് സിസ്റ്റം ലോഡുചെയ്യുന്നു,
 Loan,വായ്പ,
-Loan Amount cannot exceed Maximum Loan Amount of {0},വായ്പാ തുക {0} പരമാവധി വായ്പാ തുക കവിയാൻ പാടില്ല,
-Loan Application,വായ്പ അപേക്ഷ,
-Loan Management,ലോൺ മാനേജ്മെന്റ്,
-Loan Repayment,വായ്പാ തിരിച്ചടവ്,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,ഇൻവോയ്സ് ഡിസ്കൗണ്ടിംഗ് സംരക്ഷിക്കുന്നതിന് വായ്പ ആരംഭ തീയതിയും വായ്പ കാലയളവും നിർബന്ധമാണ്,
 Loans (Liabilities),വായ്പകൾ (ബാദ്ധ്യതകളും),
 Loans and Advances (Assets),വായ്പകളും അഡ്വാൻസുകളും (ആസ്തികൾ),
@@ -1611,7 +1605,6 @@
 Monday,തിങ്കളാഴ്ച,
 Monthly,പ്രതിമാസം,
 Monthly Distribution,പ്രതിമാസ വിതരണം,
-Monthly Repayment Amount cannot be greater than Loan Amount,പ്രതിമാസ തിരിച്ചടവ് തുക വായ്പാ തുക ശ്രേഷ്ഠ പാടില്ല,
 More,കൂടുതൽ,
 More Information,കൂടുതൽ വിവരങ്ങൾ,
 More than one selection for {0} not allowed,{0} എന്നതിന് ഒന്നിൽ കൂടുതൽ തിരഞ്ഞെടുപ്പുകൾ അനുവദനീയമല്ല,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},{0} {1} പണമടയ്ക്കുക,
 Payable,അടയ്ക്കേണ്ട,
 Payable Account,അടയ്ക്കേണ്ട അക്കൗണ്ട്,
-Payable Amount,നൽകേണ്ട തുക,
 Payment,പേയ്മെന്റ്,
 Payment Cancelled. Please check your GoCardless Account for more details,പെയ്മെന്റ് റദ്ദാക്കി. കൂടുതൽ വിശദാംശങ്ങൾക്ക് നിങ്ങളുടെ GoCardless അക്കൗണ്ട് പരിശോധിക്കുക,
 Payment Confirmation,പണമടച്ചതിന്റെ സ്ഥിരീകരണം,
-Payment Date,പേയ്മെന്റ് തീയതി,
 Payment Days,പേയ്മെന്റ് ദിനങ്ങൾ,
 Payment Document,പേയ്മെന്റ് പ്രമാണം,
 Payment Due Date,പെയ്മെന്റ് നിശ്ചിത തീയതിയിൽ,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,പർച്ചേസ് റെസീപ്റ്റ് ആദ്യം നൽകുക,
 Please enter Receipt Document,ദയവായി രസീത് പ്രമാണം നൽകുക,
 Please enter Reference date,റഫറൻസ് തീയതി നൽകുക,
-Please enter Repayment Periods,ദയവായി തിരിച്ചടവ് ഭരണവും നൽകുക,
 Please enter Reqd by Date,ദയവായി തീയതി അനുസരിച്ച് Reqd നൽകുക,
 Please enter Woocommerce Server URL,ദയവായി Woocommerce സെർവർ URL നൽകുക,
 Please enter Write Off Account,അക്കൗണ്ട് ഓഫാക്കുക എഴുതുക നൽകുക,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,പാരന്റ് കോസ്റ്റ് സെന്റർ നൽകുക,
 Please enter quantity for Item {0},ഇനം {0} വേണ്ടി അളവ് നൽകുക,
 Please enter relieving date.,തീയതി വിടുതൽ നൽകുക.,
-Please enter repayment Amount,ദയവായി തിരിച്ചടവ് തുക നൽകുക,
 Please enter valid Financial Year Start and End Dates,"സാധുവായ സാമ്പത്തിക വർഷം ആരംഭ, അവസാന തീയതി നൽകുക",
 Please enter valid email address,ദയവായി സാധുവായ ഇമെയിൽ വിലാസം നൽകുക,
 Please enter {0} first,ആദ്യം {0} നൽകുക,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,പ്രൈസിങ് നിയമങ്ങൾ കൂടുതൽ അളവ് അടിസ്ഥാനമാക്കി ഫിൽറ്റർ.,
 Primary Address Details,പ്രാഥമിക വിലാസ വിശദാംശങ്ങൾ,
 Primary Contact Details,പ്രാഥമിക കോൺടാക്റ്റ് വിശദാംശങ്ങൾ,
-Principal Amount,പ്രിൻസിപ്പൽ തുക,
 Print Format,പ്രിന്റ് ഫോർമാറ്റ്,
 Print IRS 1099 Forms,IRS 1099 ഫോമുകൾ അച്ചടിക്കുക,
 Print Report Card,റിപ്പോർട്ട് റിപ്പോർട്ട് പ്രിന്റ് ചെയ്യുക,
@@ -2550,7 +2538,6 @@
 Sample Collection,സാമ്പിൾ ശേഖരണം,
 Sample quantity {0} cannot be more than received quantity {1},സാമ്പിൾ അളവ് {0} ലഭിച്ച തുകയേക്കാൾ കൂടുതൽ ആകരുത് {1},
 Sanctioned,അനുവദിച്ചു,
-Sanctioned Amount,അനുവദിക്കപ്പെട്ട തുക,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,അനുവദിക്കപ്പെട്ട തുക വരി {0} ൽ ക്ലെയിം തുക വലുതായിരിക്കണം കഴിയില്ല.,
 Sand,മണല്,
 Saturday,ശനിയാഴ്ച,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} ന് ഇതിനകം ഒരു രക്ഷാകർതൃ നടപടിക്രമം ഉണ്ട് {1}.,
 API,API,
 Annual,വാർഷിക,
-Approved,അംഗീകരിച്ചു,
 Change,മാറ്റുക,
 Contact Email,കോൺടാക്റ്റ് ഇമെയിൽ,
 Export Type,എക്സ്പോർട്ട് തരം,
@@ -3571,7 +3557,6 @@
 Account Value,അക്കൗണ്ട് മൂല്യം,
 Account is mandatory to get payment entries,പേയ്‌മെന്റ് എൻട്രികൾ ലഭിക്കുന്നതിന് അക്കൗണ്ട് നിർബന്ധമാണ്,
 Account is not set for the dashboard chart {0},ഡാഷ്‌ബോർഡ് ചാർട്ടിനായി അക്കൗണ്ട് സജ്ജമാക്കിയിട്ടില്ല {0},
-Account {0} does not belong to company {1},അക്കൗണ്ട് {0} കമ്പനി {1} സ്വന്തമല്ല,
 Account {0} does not exists in the dashboard chart {1},{0} അക്കൗണ്ട് ഡാഷ്‌ബോർഡ് ചാർട്ടിൽ നിലവിലില്ല {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,"അക്കൗണ്ട്: capital <b>0</b> capital മൂലധന പ്രവർത്തനമാണ് പുരോഗതിയിലുള്ളത്, ജേണൽ എൻ‌ട്രി അപ്‌ഡേറ്റ് ചെയ്യാൻ കഴിയില്ല",
 Account: {0} is not permitted under Payment Entry,അക്കൗണ്ട്: പേയ്‌മെന്റ് എൻട്രിക്ക് കീഴിൽ {0} അനുവദനീയമല്ല,
@@ -3582,7 +3567,6 @@
 Activity,പ്രവർത്തനം,
 Add / Manage Email Accounts.,ചേർക്കുക / ഇമെയിൽ അക്കൗണ്ടുകൾ നിയന്ത്രിക്കുക.,
 Add Child,ശിശു ചേർക്കുക,
-Add Loan Security,വായ്പ സുരക്ഷ ചേർക്കുക,
 Add Multiple,ഒന്നിലധികം ചേർക്കുക,
 Add Participants,പങ്കെടുക്കുന്നവരെ ചേർക്കുക,
 Add to Featured Item,തിരഞ്ഞെടുത്ത ഇനത്തിലേക്ക് ചേർക്കുക,
@@ -3593,15 +3577,12 @@
 Address Line 1,വിലാസ ലൈൻ 1,
 Addresses,വിലാസങ്ങൾ,
 Admission End Date should be greater than Admission Start Date.,പ്രവേശന അവസാന തീയതി പ്രവേശന ആരംഭ തീയതിയെക്കാൾ കൂടുതലായിരിക്കണം.,
-Against Loan,വായ്പയ്‌ക്കെതിരെ,
-Against Loan:,വായ്പയ്‌ക്കെതിരെ:,
 All,എല്ലാം,
 All bank transactions have been created,എല്ലാ ബാങ്ക് ഇടപാടുകളും സൃഷ്ടിച്ചു,
 All the depreciations has been booked,എല്ലാ മൂല്യത്തകർച്ചകളും ബുക്ക് ചെയ്തു,
 Allocation Expired!,വിഹിതം കാലഹരണപ്പെട്ടു!,
 Allow Resetting Service Level Agreement from Support Settings.,പിന്തുണാ ക്രമീകരണങ്ങളിൽ നിന്ന് സേവന ലെവൽ കരാർ പുന et സജ്ജമാക്കാൻ അനുവദിക്കുക.,
 Amount of {0} is required for Loan closure,വായ്പ അടയ്‌ക്കുന്നതിന് {0 തുക ആവശ്യമാണ്,
-Amount paid cannot be zero,അടച്ച തുക പൂജ്യമാകരുത്,
 Applied Coupon Code,പ്രയോഗിച്ച കൂപ്പൺ കോഡ്,
 Apply Coupon Code,കൂപ്പൺ കോഡ് പ്രയോഗിക്കുക,
 Appointment Booking,അപ്പോയിന്റ്മെന്റ് ബുക്കിംഗ്,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,ഡ്രൈവർ വിലാസം നഷ്‌ടമായതിനാൽ വരവ് സമയം കണക്കാക്കാൻ കഴിയില്ല.,
 Cannot Optimize Route as Driver Address is Missing.,ഡ്രൈവർ വിലാസം നഷ്‌ടമായതിനാൽ റൂട്ട് ഒപ്റ്റിമൈസ് ചെയ്യാൻ കഴിയില്ല.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Task 0 task എന്ന ടാസ്‌ക് പൂർത്തിയാക്കാൻ കഴിയില്ല, കാരണം അതിന്റെ ആശ്രിത ടാസ്‌ക് {1 c പൂർ‌ത്തിയാകുന്നില്ല / റദ്ദാക്കില്ല.",
-Cannot create loan until application is approved,അപേക്ഷ അംഗീകരിക്കുന്നതുവരെ വായ്പ സൃഷ്ടിക്കാൻ കഴിയില്ല,
 Cannot find a matching Item. Please select some other value for {0}.,ഒരു പൊരുത്തമുള്ള ഇനം കണ്ടെത്താൻ കഴിയുന്നില്ല. {0} വേണ്ടി മറ്റ് ചില മൂല്യം തിരഞ്ഞെടുക്കുക.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","{1 row വരിയിലെ {0} ഇനത്തിന് over 2 over എന്നതിനേക്കാൾ കൂടുതൽ ബിൽ ചെയ്യാൻ കഴിയില്ല. ഓവർ ബില്ലിംഗ് അനുവദിക്കുന്നതിന്, അക്കൗണ്ട് ക്രമീകരണങ്ങളിൽ അലവൻസ് സജ്ജമാക്കുക",
 "Capacity Planning Error, planned start time can not be same as end time","ശേഷി ആസൂത്രണ പിശക്, ആസൂത്രിതമായ ആരംഭ സമയം അവസാന സമയത്തിന് തുല്യമാകരുത്",
@@ -3812,20 +3792,9 @@
 Less Than Amount,തുകയേക്കാൾ കുറവ്,
 Liabilities,ബാധ്യതകൾ,
 Loading...,ലോഡുചെയ്യുന്നു ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,നിർദ്ദിഷ്ട സെക്യൂരിറ്റികൾ അനുസരിച്ച് വായ്പ തുക പരമാവധി വായ്പ തുക {0 കവിയുന്നു,
 Loan Applications from customers and employees.,ഉപഭോക്താക്കളിൽ നിന്നും ജീവനക്കാരിൽ നിന്നുമുള്ള വായ്പാ അപേക്ഷകൾ.,
-Loan Disbursement,വായ്പ വിതരണം,
 Loan Processes,വായ്പാ പ്രക്രിയകൾ,
-Loan Security,വായ്പ സുരക്ഷ,
-Loan Security Pledge,വായ്പ സുരക്ഷാ പ്രതിജ്ഞ,
-Loan Security Pledge Created : {0},വായ്പാ സുരക്ഷാ പ്രതിജ്ഞ സൃഷ്ടിച്ചു: {0},
-Loan Security Price,വായ്പ സുരക്ഷാ വില,
-Loan Security Price overlapping with {0},സുരക്ഷാ സുരക്ഷ വില {0 with ഓവർലാപ്പുചെയ്യുന്നു,
-Loan Security Unpledge,ലോൺ സെക്യൂരിറ്റി അൺപ്ലഡ്ജ്,
-Loan Security Value,വായ്പാ സുരക്ഷാ മൂല്യം,
 Loan Type for interest and penalty rates,"പലിശ, പിഴ നിരക്കുകൾക്കുള്ള വായ്പ തരം",
-Loan amount cannot be greater than {0},വായ്പ തുക {0 than ൽ കൂടുതലാകരുത്,
-Loan is mandatory,വായ്പ നിർബന്ധമാണ്,
 Loans,വായ്പകൾ,
 Loans provided to customers and employees.,ഉപഭോക്താക്കൾക്കും ജീവനക്കാർക്കും വായ്പ നൽകിയിട്ടുണ്ട്.,
 Location,സ്ഥാനം,
@@ -3894,7 +3863,6 @@
 Pay,ശമ്പള,
 Payment Document Type,പേയ്‌മെന്റ് പ്രമാണ തരം,
 Payment Name,പേയ്‌മെന്റിന്റെ പേര്,
-Penalty Amount,പിഴ തുക,
 Pending,തീർച്ചപ്പെടുത്തിയിട്ടില്ല,
 Performance,പ്രകടനം,
 Period based On,അടിസ്ഥാനമാക്കിയുള്ള കാലയളവ്,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,ഈ ഇനം എഡിറ്റുചെയ്യുന്നതിന് ദയവായി ഒരു മാർക്കറ്റ്പ്ലെയ്സ് ഉപയോക്താവായി പ്രവേശിക്കുക.,
 Please login as a Marketplace User to report this item.,ഈ ഇനം റിപ്പോർട്ടുചെയ്യാൻ ഒരു മാർക്കറ്റ്പ്ലെയ്സ് ഉപയോക്താവായി പ്രവേശിക്കുക.,
 Please select <b>Template Type</b> to download template,<b>ടെംപ്ലേറ്റ് ഡ</b> download ൺലോഡ് ചെയ്യാൻ ടെംപ്ലേറ്റ് <b>തരം</b> തിരഞ്ഞെടുക്കുക,
-Please select Applicant Type first,ആദ്യം അപേക്ഷകന്റെ തരം തിരഞ്ഞെടുക്കുക,
 Please select Customer first,ആദ്യം ഉപഭോക്താവിനെ തിരഞ്ഞെടുക്കുക,
 Please select Item Code first,ആദ്യം ഇനം കോഡ് തിരഞ്ഞെടുക്കുക,
-Please select Loan Type for company {0},Company 0 company കമ്പനിയ്ക്കായി ലോൺ തരം തിരഞ്ഞെടുക്കുക,
 Please select a Delivery Note,ഒരു ഡെലിവറി കുറിപ്പ് തിരഞ്ഞെടുക്കുക,
 Please select a Sales Person for item: {0},ഇനത്തിനായി ഒരു വിൽപ്പനക്കാരനെ തിരഞ്ഞെടുക്കുക: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',മറ്റൊരു പെയ്മെന്റ് രീതി തിരഞ്ഞെടുക്കുക. വര കറൻസി ഇടപാടുകളും പിന്തുണയ്ക്കുന്നില്ല &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Company 0 company കമ്പനിക്കായി ഒരു സ്ഥിരസ്ഥിതി ബാങ്ക് അക്കൗണ്ട് സജ്ജമാക്കുക,
 Please specify,ദയവായി വ്യക്തമാക്കുക,
 Please specify a {0},ഒരു {0 വ്യക്തമാക്കുക,lead
-Pledge Status,പ്രതിജ്ഞാ നില,
-Pledge Time,പ്രതിജ്ഞാ സമയം,
 Printing,അച്ചടി,
 Priority,മുൻഗണന,
 Priority has been changed to {0}.,മുൻ‌ഗണന {0 to ആയി മാറ്റി.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,എക്സ്എം‌എൽ ഫയലുകൾ പ്രോസസ്സ് ചെയ്യുന്നു,
 Profitability,ലാഭക്ഷമത,
 Project,പ്രോജക്ട്,
-Proposed Pledges are mandatory for secured Loans,സുരക്ഷിതമായ വായ്പകൾക്ക് നിർദ്ദിഷ്ട പ്രതിജ്ഞകൾ നിർബന്ധമാണ്,
 Provide the academic year and set the starting and ending date.,"അധ്യയന വർഷം നൽകി ആരംഭ, അവസാന തീയതി സജ്ജമാക്കുക.",
 Public token is missing for this bank,ഈ ബാങ്കിനായി പൊതു ടോക്കൺ കാണുന്നില്ല,
 Publish,പ്രസിദ്ധീകരിക്കുക,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,വാങ്ങൽ രസീതിൽ നിലനിർത്തൽ സാമ്പിൾ പ്രവർത്തനക്ഷമമാക്കിയ ഒരു ഇനവുമില്ല.,
 Purchase Return,വാങ്ങൽ റിട്ടേൺ,
 Qty of Finished Goods Item,പൂർത്തിയായ ചരക്ക് ഇനത്തിന്റെ ക്യൂട്ടി,
-Qty or Amount is mandatroy for loan security,വായ്പ സുരക്ഷയ്‌ക്കായി ക്യൂട്ടി അല്ലെങ്കിൽ തുക മാൻ‌ഡ്രോയ് ആണ്,
 Quality Inspection required for Item {0} to submit,സമർപ്പിക്കാൻ ഇനം {0 for ന് ഗുണനിലവാര പരിശോധന ആവശ്യമാണ്,
 Quantity to Manufacture,ഉൽപ്പാദിപ്പിക്കുന്നതിനുള്ള അളവ്,
 Quantity to Manufacture can not be zero for the operation {0},To 0 the പ്രവർത്തനത്തിന് ഉൽപ്പാദനത്തിന്റെ അളവ് പൂജ്യമാകരുത്,
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,റിലീവിംഗ് തീയതി ചേരുന്ന തീയതിയെക്കാൾ വലുതോ തുല്യമോ ആയിരിക്കണം,
 Rename,പേരു്മാറ്റുക,
 Rename Not Allowed,പേരുമാറ്റുന്നത് അനുവദനീയമല്ല,
-Repayment Method is mandatory for term loans,ടേം ലോണുകൾക്ക് തിരിച്ചടവ് രീതി നിർബന്ധമാണ്,
-Repayment Start Date is mandatory for term loans,ടേം ലോണുകൾക്ക് തിരിച്ചടവ് ആരംഭ തീയതി നിർബന്ധമാണ്,
 Report Item,ഇനം റിപ്പോർട്ടുചെയ്യുക,
 Report this Item,ഈ ഇനം റിപ്പോർട്ട് ചെയ്യുക,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,സബ് കോൺ‌ട്രാക്റ്റിനായി റിസർവ്വ് ചെയ്ത ക്യൂട്ടി: സബ് കോൺ‌ട്രാക്റ്റ് ചെയ്ത ഇനങ്ങൾ‌ നിർമ്മിക്കുന്നതിനുള്ള അസംസ്കൃത വസ്തുക്കളുടെ അളവ്.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},വരി ({0}): {1 already ഇതിനകം {2 in ൽ കിഴിവാണ്,
 Rows Added in {0},വരികൾ {0 in ൽ ചേർത്തു,
 Rows Removed in {0},വരികൾ {0 in ൽ നീക്കംചെയ്‌തു,
-Sanctioned Amount limit crossed for {0} {1},അനുവദിച്ച തുക പരിധി {0} {1 for ന് മറികടന്നു,
-Sanctioned Loan Amount already exists for {0} against company {1},{1 company കമ്പനിക്കെതിരെ {0 for ന് അനുവദിച്ച വായ്പ തുക ഇതിനകം നിലവിലുണ്ട്,
 Save,സംരക്ഷിക്കുക,
 Save Item,ഇനം സംരക്ഷിക്കുക,
 Saved Items,ഇനങ്ങൾ സംരക്ഷിച്ചു,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,ഉപയോക്താവ് {0} അപ്രാപ്തമാക്കിയിട്ടുണ്ടെങ്കിൽ,
 Users and Permissions,ഉപയോക്താക്കൾ അനുമതികളും,
 Vacancies cannot be lower than the current openings,ഒഴിവുകൾ നിലവിലെ ഓപ്പണിംഗിനേക്കാൾ കുറവായിരിക്കരുത്,
-Valid From Time must be lesser than Valid Upto Time.,സമയം മുതൽ സാധുതയുള്ളത് സമയത്തേക്കാൾ സാധുതയുള്ളതായിരിക്കണം.,
 Valuation Rate required for Item {0} at row {1},{1 row വരിയിലെ {0 item ഇനത്തിന് മൂല്യനിർണ്ണയ നിരക്ക് ആവശ്യമാണ്,
 Values Out Of Sync,മൂല്യങ്ങൾ സമന്വയത്തിന് പുറത്താണ്,
 Vehicle Type is required if Mode of Transport is Road,ഗതാഗത രീതി റോഡാണെങ്കിൽ വാഹന തരം ആവശ്യമാണ്,
@@ -4211,7 +4168,6 @@
 Add to Cart,കാർട്ടിലേക്ക് ചേർക്കുക,
 Days Since Last Order,അവസാന ഓർഡറിന് ശേഷമുള്ള ദിവസങ്ങൾ,
 In Stock,സ്റ്റോക്കുണ്ട്,
-Loan Amount is mandatory,വായ്പ തുക നിർബന്ധമാണ്,
 Mode Of Payment,അടക്കേണ്ട മോഡ്,
 No students Found,വിദ്യാർത്ഥികളെയൊന്നും കണ്ടെത്തിയില്ല,
 Not in Stock,അല്ല സ്റ്റോക്കുണ്ട്,
@@ -4240,7 +4196,6 @@
 Group by,ഗ്രൂപ്പ്,
 In stock,സ്റ്റോക്കുണ്ട്,
 Item name,ഇനം പേര്,
-Loan amount is mandatory,വായ്പ തുക നിർബന്ധമാണ്,
 Minimum Qty,മിനിമം ക്യൂട്ടി,
 More details,കൂടുതൽ വിശദാംശങ്ങൾ,
 Nature of Supplies,വസ്തുക്കളുടെ സ്വഭാവം,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,ആകെ പൂർത്തിയാക്കിയ ക്യൂട്ടി,
 Qty to Manufacture,നിർമ്മിക്കാനുള്ള Qty,
 Repay From Salary can be selected only for term loans,ടേം ലോണുകൾക്ക് മാത്രമേ ശമ്പളത്തിൽ നിന്ന് തിരിച്ചടവ് തിരഞ്ഞെടുക്കാനാകൂ,
-No valid Loan Security Price found for {0},Loan 0 for എന്നതിനായി സാധുവായ ലോൺ സുരക്ഷാ വിലയൊന്നും കണ്ടെത്തിയില്ല,
-Loan Account and Payment Account cannot be same,വായ്പ അക്കൗണ്ടും പേയ്‌മെന്റ് അക്കൗണ്ടും സമാനമാകരുത്,
-Loan Security Pledge can only be created for secured loans,സുരക്ഷിത വായ്പകൾക്കായി മാത്രമേ വായ്പ സുരക്ഷാ പ്രതിജ്ഞ സൃഷ്ടിക്കാൻ കഴിയൂ,
 Social Media Campaigns,സോഷ്യൽ മീഡിയ കാമ്പെയ്‌നുകൾ,
 From Date can not be greater than To Date,തീയതി മുതൽ തീയതി വരെ വലുതായിരിക്കരുത്,
 Please set a Customer linked to the Patient,രോഗിയുമായി ലിങ്കുചെയ്‌തിരിക്കുന്ന ഒരു ഉപഭോക്താവിനെ സജ്ജമാക്കുക,
@@ -6437,7 +6389,6 @@
 HR User,എച്ച് ഉപയോക്താവ്,
 Appointment Letter,നിയമന പത്രിക,
 Job Applicant,ഇയ്യോബ് അപേക്ഷകന്,
-Applicant Name,അപേക്ഷകന് പേര്,
 Appointment Date,നിയമന തീയതി,
 Appointment Letter Template,അപ്പോയിന്റ്മെന്റ് ലെറ്റർ ടെംപ്ലേറ്റ്,
 Body,ശരീരം,
@@ -7059,99 +7010,12 @@
 Sync in Progress,സമന്വയം പുരോഗമിക്കുന്നു,
 Hub Seller Name,ഹബ് വിൽപ്പറിന്റെ പേര്,
 Custom Data,ഇഷ്ടാനുസൃത ഡാറ്റ,
-Member,അംഗം,
-Partially Disbursed,ഭാഗികമായി വിതരണം,
-Loan Closure Requested,വായ്പ അടയ്ക്കൽ അഭ്യർത്ഥിച്ചു,
 Repay From Salary,ശമ്പളത്തിൽ നിന്ന് പകരം,
-Loan Details,വായ്പ വിശദാംശങ്ങൾ,
-Loan Type,ലോൺ ഇനം,
-Loan Amount,വായ്പാ തുക,
-Is Secured Loan,സുരക്ഷിത വായ്പയാണ്,
-Rate of Interest (%) / Year,പലിശ നിരക്ക് (%) / വർഷം,
-Disbursement Date,ചിലവ് തീയതി,
-Disbursed Amount,വിതരണം ചെയ്ത തുക,
-Is Term Loan,ടേം ലോൺ ആണ്,
-Repayment Method,തിരിച്ചടവ് രീതി,
-Repay Fixed Amount per Period,കാലയളവ് അനുസരിച്ച് നിശ്ചിത പകരം,
-Repay Over Number of Periods,കാലയളവിന്റെ എണ്ണം ഓവർ പകരം,
-Repayment Period in Months,മാസങ്ങളിലെ തിരിച്ചടവ് കാലാവധി,
-Monthly Repayment Amount,പ്രതിമാസ തിരിച്ചടവ് തുക,
-Repayment Start Date,തിരിച്ചടവ് ആരംഭിക്കുന്ന തീയതി,
-Loan Security Details,വായ്പാ സുരക്ഷാ വിശദാംശങ്ങൾ,
-Maximum Loan Value,പരമാവധി വായ്പ മൂല്യം,
-Account Info,അക്കൗണ്ട് വിവരങ്ങളും,
-Loan Account,ലോൺ അക്കൗണ്ട്,
-Interest Income Account,പലിശ വരുമാനം അക്കൗണ്ട്,
-Penalty Income Account,പിഴ വരുമാന അക്കൗണ്ട്,
-Repayment Schedule,തിരിച്ചടവ് ഷെഡ്യൂൾ,
-Total Payable Amount,ആകെ അടയ്ക്കേണ്ട തുക,
-Total Principal Paid,ആകെ പ്രിൻസിപ്പൽ പണമടച്ചു,
-Total Interest Payable,ആകെ തുകയും,
-Total Amount Paid,പണമടച്ച തുക,
-Loan Manager,ലോൺ മാനേജർ,
-Loan Info,ലോൺ വിവരങ്ങളും,
-Rate of Interest,പലിശ നിരക്ക്,
-Proposed Pledges,നിർദ്ദേശിച്ച പ്രതിജ്ഞകൾ,
-Maximum Loan Amount,പരമാവധി വായ്പാ തുക,
-Repayment Info,തിരിച്ചടവ് വിവരങ്ങളും,
-Total Payable Interest,ആകെ പലിശ,
-Against Loan ,വായ്പയ്‌ക്കെതിരെ,
-Loan Interest Accrual,വായ്പ പലിശ വർദ്ധനവ്,
-Amounts,തുകകൾ,
-Pending Principal Amount,പ്രധാന തുക ശേഷിക്കുന്നു,
-Payable Principal Amount,അടയ്‌ക്കേണ്ട പ്രധാന തുക,
-Paid Principal Amount,പണമടച്ച പ്രിൻസിപ്പൽ തുക,
-Paid Interest Amount,പണമടച്ച പലിശ തുക,
-Process Loan Interest Accrual,പ്രോസസ് ലോൺ പലിശ ശേഖരണം,
-Repayment Schedule Name,തിരിച്ചടവ് ഷെഡ്യൂളിന്റെ പേര്,
 Regular Payment,പതിവ് പേയ്‌മെന്റ്,
 Loan Closure,വായ്പ അടയ്ക്കൽ,
-Payment Details,പേയ്മെന്റ് വിശദാംശങ്ങൾ,
-Interest Payable,നൽകേണ്ട പലിശ,
-Amount Paid,തുക,
-Principal Amount Paid,പണമടച്ച പ്രിൻസിപ്പൽ തുക,
-Repayment Details,തിരിച്ചടവ് വിശദാംശങ്ങൾ,
-Loan Repayment Detail,വായ്പ തിരിച്ചടവ് വിശദാംശം,
-Loan Security Name,വായ്പ സുരക്ഷാ പേര്,
-Unit Of Measure,അളവുകോൽ,
-Loan Security Code,വായ്പ സുരക്ഷാ കോഡ്,
-Loan Security Type,വായ്പ സുരക്ഷാ തരം,
-Haircut %,മുടിവെട്ട് %,
-Loan  Details,വായ്പ വിശദാംശങ്ങൾ,
-Unpledged,പൂർ‌ത്തിയാകാത്തത്,
-Pledged,പണയം വച്ചു,
-Partially Pledged,ഭാഗികമായി പ്രതിജ്ഞ ചെയ്തു,
-Securities,സെക്യൂരിറ്റികള്,
-Total Security Value,മൊത്തം സുരക്ഷാ മൂല്യം,
-Loan Security Shortfall,വായ്പാ സുരക്ഷാ കുറവ്,
-Loan ,വായ്പ,
-Shortfall Time,കുറവ് സമയം,
-America/New_York,അമേരിക്ക / ന്യൂ_യോർക്ക്,
-Shortfall Amount,കുറവ് തുക,
-Security Value ,സുരക്ഷാ മൂല്യം,
-Process Loan Security Shortfall,പ്രോസസ്സ് ലോൺ സുരക്ഷാ കുറവ്,
-Loan To Value Ratio,മൂല്യ അനുപാതത്തിലേക്ക് വായ്പ,
-Unpledge Time,അൺപ്ലെഡ്ജ് സമയം,
-Loan Name,ലോൺ പേര്,
 Rate of Interest (%) Yearly,പലിശ നിരക്ക് (%) വാർഷികം,
-Penalty Interest Rate (%) Per Day,പ്രതിദിനം പലിശ നിരക്ക് (%),
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,തിരിച്ചടവ് വൈകിയാൽ ദിവസേന തീർപ്പുകൽപ്പിക്കാത്ത പലിശ തുകയ്ക്ക് പിഴ പലിശ നിരക്ക് ഈടാക്കുന്നു,
-Grace Period in Days,ദിവസങ്ങളിലെ ഗ്രേസ് പിരീഡ്,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,വായ്പ തിരിച്ചടവ് വൈകിയാൽ പിഴ ഈടാക്കാത്ത തീയതി മുതൽ നിശ്ചിത തീയതി വരെ,
-Pledge,പ്രതിജ്ഞ,
-Post Haircut Amount,പോസ്റ്റ് ഹെയർകട്ട് തുക,
-Process Type,പ്രോസസ്സ് തരം,
-Update Time,അപ്‌ഡേറ്റ് സമയം,
-Proposed Pledge,നിർദ്ദേശിച്ച പ്രതിജ്ഞ,
-Total Payment,ആകെ പേയ്മെന്റ്,
-Balance Loan Amount,ബാലൻസ് വായ്പാ തുക,
-Is Accrued,വർദ്ധിച്ചിരിക്കുന്നു,
 Salary Slip Loan,ശമ്പളം സ്ലിപ്പ് വായ്പ,
 Loan Repayment Entry,വായ്പ തിരിച്ചടവ് എൻട്രി,
-Sanctioned Loan Amount,അനുവദിച്ച വായ്പ തുക,
-Sanctioned Amount Limit,അനുവദിച്ച തുക പരിധി,
-Unpledge,അൺപ്ലെഡ്ജ്,
-Haircut,മുടിവെട്ട്,
 MAT-MSH-.YYYY.-,MAT-MSH- .YYYY.-,
 Generate Schedule,ഷെഡ്യൂൾ ജനറേറ്റുചെയ്യൂ,
 Schedules,സമയക്രമങ്ങൾ,
@@ -7885,7 +7749,6 @@
 Update Series,അപ്ഡേറ്റ് സീരീസ്,
 Change the starting / current sequence number of an existing series.,നിലവിലുള്ള ഒരു പരമ്പരയിലെ തുടങ്ങുന്ന / നിലവിലെ ക്രമസംഖ്യ മാറ്റുക.,
 Prefix,പ്രിഫിക്സ്,
-Current Value,ഇപ്പോഴത്തെ മൂല്യം,
 This is the number of the last created transaction with this prefix,ഇത് ഈ കൂടിയ അവസാന സൃഷ്ടിച്ച ഇടപാട് എണ്ണം ആണ്,
 Update Series Number,അപ്ഡേറ്റ് സീരീസ് നമ്പർ,
 Quotation Lost Reason,ക്വട്ടേഷൻ ലോസ്റ്റ് കാരണം,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise പുനഃക്രമീകരിക്കുക ലെവൽ ശുപാർശിത,
 Lead Details,ലീഡ് വിവരങ്ങൾ,
 Lead Owner Efficiency,ലീഡ് ഉടമ എഫിഷ്യൻസി,
-Loan Repayment and Closure,വായ്പ തിരിച്ചടവും അടയ്ക്കലും,
-Loan Security Status,വായ്പാ സുരക്ഷാ നില,
 Lost Opportunity,അവസരം നഷ്ടപ്പെട്ടു,
 Maintenance Schedules,മെയിൻറനൻസ് സമയക്രമങ്ങൾ,
 Material Requests for which Supplier Quotations are not created,വിതരണക്കാരൻ ഉദ്ധരണികളും സൃഷ്ടിച്ചിട്ടില്ല ചെയ്തിട്ടുളള മെറ്റീരിയൽ അഭ്യർത്ഥനകൾ,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},ടാർഗെറ്റുചെയ്‌ത എണ്ണങ്ങൾ: {0},
 Payment Account is mandatory,പേയ്‌മെന്റ് അക്കൗണ്ട് നിർബന്ധമാണ്,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","പരിശോധിച്ചാൽ, പ്രഖ്യാപനമോ തെളിവ് സമർപ്പിക്കലോ ഇല്ലാതെ ആദായനികുതി കണക്കാക്കുന്നതിന് മുമ്പ് മുഴുവൻ തുകയും നികുതി നൽകേണ്ട വരുമാനത്തിൽ നിന്ന് കുറയ്ക്കും.",
-Disbursement Details,വിതരണ വിശദാംശങ്ങൾ,
 Material Request Warehouse,മെറ്റീരിയൽ അഭ്യർത്ഥന വെയർഹ house സ്,
 Select warehouse for material requests,മെറ്റീരിയൽ അഭ്യർത്ഥനകൾക്കായി വെയർഹ house സ് തിരഞ്ഞെടുക്കുക,
 Transfer Materials For Warehouse {0},വെയർഹൗസിനായി മെറ്റീരിയലുകൾ കൈമാറുക {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,ക്ലെയിം ചെയ്യാത്ത തുക ശമ്പളത്തിൽ നിന്ന് തിരിച്ചടയ്ക്കുക,
 Deduction from salary,ശമ്പളത്തിൽ നിന്ന് കിഴിവ്,
 Expired Leaves,കാലഹരണപ്പെട്ട ഇലകൾ,
-Reference No,റഫറൻസ് നമ്പർ,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,ലോൺ സെക്യൂരിറ്റിയുടെ മാര്ക്കറ്റ് മൂല്യവും ആ വായ്പയ്ക്ക് ഈടായി ഉപയോഗിക്കുമ്പോൾ ആ ലോൺ സെക്യൂരിറ്റിയുടെ മൂല്യവും തമ്മിലുള്ള ശതമാനം വ്യത്യാസമാണ് ഹെയർകട്ട് ശതമാനം.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,ലോൺ ടു വാല്യൂ റേഷ്യോ വായ്പ പണത്തിന്റെ അനുപാതം പണയം വച്ച സുരക്ഷയുടെ മൂല്യവുമായി പ്രകടിപ്പിക്കുന്നു. ഏതെങ്കിലും വായ്പയുടെ നിർദ്ദിഷ്ട മൂല്യത്തേക്കാൾ കുറവാണെങ്കിൽ ഒരു വായ്പാ സുരക്ഷാ കുറവുണ്ടാകും,
 If this is not checked the loan by default will be considered as a Demand Loan,ഇത് പരിശോധിച്ചില്ലെങ്കിൽ സ്ഥിരസ്ഥിതിയായി വായ്പ ഒരു ഡിമാൻഡ് വായ്പയായി കണക്കാക്കും,
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,വായ്പക്കാരനിൽ നിന്ന് വായ്പ തിരിച്ചടവ് ബുക്ക് ചെയ്യുന്നതിനും വായ്പക്കാരന് വായ്പ വിതരണം ചെയ്യുന്നതിനും ഈ അക്കൗണ്ട് ഉപയോഗിക്കുന്നു,
 This account is capital account which is used to allocate capital for loan disbursal account ,വായ്പാ വിതരണ അക്കൗണ്ടിനായി മൂലധനം അനുവദിക്കുന്നതിന് ഉപയോഗിക്കുന്ന മൂലധന അക്കൗണ്ടാണ് ഈ അക്കൗണ്ട്,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},{0 the പ്രവർത്തനം വർക്ക് ഓർഡറിൽ ഉൾപ്പെടുന്നില്ല {1},
 Print UOM after Quantity,അളവിന് ശേഷം UOM പ്രിന്റുചെയ്യുക,
 Set default {0} account for perpetual inventory for non stock items,സ്റ്റോക്ക് ഇതര ഇനങ്ങൾക്കായി സ്ഥിരമായ ഇൻവെന്ററിക്ക് സ്ഥിരസ്ഥിതി {0} അക്കൗണ്ട് സജ്ജമാക്കുക,
-Loan Security {0} added multiple times,ലോൺ സുരക്ഷ {0 multiple ഒന്നിലധികം തവണ ചേർത്തു,
-Loan Securities with different LTV ratio cannot be pledged against one loan,വ്യത്യസ്ത എൽ‌ടി‌വി അനുപാതമുള്ള ലോൺ സെക്യൂരിറ്റികൾ ഒരു വായ്പയ്‌ക്കെതിരെ പണയം വയ്ക്കാൻ കഴിയില്ല,
-Qty or Amount is mandatory for loan security!,വായ്പ സുരക്ഷയ്ക്കായി ക്യൂട്ടി അല്ലെങ്കിൽ തുക നിർബന്ധമാണ്!,
-Only submittted unpledge requests can be approved,സമർപ്പിച്ച അൺപ്ലഡ്ജ് അഭ്യർത്ഥനകൾക്ക് മാത്രമേ അംഗീകാരം ലഭിക്കൂ,
-Interest Amount or Principal Amount is mandatory,പലിശ തുക അല്ലെങ്കിൽ പ്രിൻസിപ്പൽ തുക നിർബന്ധമാണ്,
-Disbursed Amount cannot be greater than {0},വിതരണം ചെയ്ത തുക {0 than ൽ കൂടുതലാകരുത്,
-Row {0}: Loan Security {1} added multiple times,വരി {0}: വായ്പ സുരക്ഷ {1 multiple ഒന്നിലധികം തവണ ചേർത്തു,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,വരി # {0}: കുട്ടികളുടെ ഇനം ഒരു ഉൽപ്പന്ന ബണ്ടിൽ ആകരുത്. ഇനം {1 remove നീക്കംചെയ്‌ത് സംരക്ഷിക്കുക,
 Credit limit reached for customer {0},ഉപഭോക്താവിന് ക്രെഡിറ്റ് പരിധി എത്തിച്ചു {0},
 Could not auto create Customer due to the following missing mandatory field(s):,ഇനിപ്പറയുന്ന നിർബന്ധിത ഫീൽഡ് (കൾ) കാണാത്തതിനാൽ ഉപഭോക്താവിനെ യാന്ത്രികമായി സൃഷ്ടിക്കാൻ കഴിഞ്ഞില്ല:,
diff --git a/erpnext/translations/mr.csv b/erpnext/translations/mr.csv
index b28550a..578cca7 100644
--- a/erpnext/translations/mr.csv
+++ b/erpnext/translations/mr.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","जर कंपनी एसपीए, सपा किंवा एसआरएल असेल तर लागू",
 Applicable if the company is a limited liability company,जर कंपनी मर्यादित दायित्व कंपनी असेल तर लागू,
 Applicable if the company is an Individual or a Proprietorship,जर कंपनी वैयक्तिक किंवा मालकीची असेल तर ती लागू होईल,
-Applicant,अर्जदार,
-Applicant Type,अर्जदार प्रकार,
 Application of Funds (Assets),निधी मालमत्ता (assets) अर्ज,
 Application period cannot be across two allocation records,अर्ज कालावधी दोन वाटपांच्या रेकॉर्डमध्ये असू शकत नाही,
 Application period cannot be outside leave allocation period,अर्ज काळ रजा वाटप कालावधी बाहेर असू शकत नाही,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,फोलीओ नंबरसह उपलब्ध भागधारकांची यादी,
 Loading Payment System,देयक भरणा पद्धत,
 Loan,कर्ज,
-Loan Amount cannot exceed Maximum Loan Amount of {0},कर्ज रक्कम कमाल कर्ज रक्कम जास्त असू शकत नाही {0},
-Loan Application,कर्ज अर्ज,
-Loan Management,कर्ज व्यवस्थापन,
-Loan Repayment,कर्जाची परतफेड,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,बीजक सवलत बचत करण्यासाठी कर्ज प्रारंभ तारीख आणि कर्जाचा कालावधी अनिवार्य आहे,
 Loans (Liabilities),कर्ज (दायित्व),
 Loans and Advances (Assets),कर्ज आणि  मालमत्ता (assets),
@@ -1611,7 +1605,6 @@
 Monday,सोमवार,
 Monthly,मासिक,
 Monthly Distribution,मासिक वितरण,
-Monthly Repayment Amount cannot be greater than Loan Amount,मासिक परतफेड रक्कम कर्ज रक्कम पेक्षा जास्त असू शकत नाही,
 More,आणखी,
 More Information,अधिक माहिती,
 More than one selection for {0} not allowed,{0} साठी एकापेक्षा अधिक निवड करण्याची परवानगी नाही,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},{0} {1} ला पैसे द्या,
 Payable,देय,
 Payable Account,देय खाते,
-Payable Amount,देय रक्कम,
 Payment,भरणा,
 Payment Cancelled. Please check your GoCardless Account for more details,देयक रद्द झाले कृपया अधिक तपशीलांसाठी आपले GoCardless खाते तपासा,
 Payment Confirmation,प्रदान खात्री,
-Payment Date,पगाराची तारीख,
 Payment Days,भरणा दिवस,
 Payment Document,भरणा दस्तऐवज,
 Payment Due Date,पैसे भरण्याची शेवटची तारिख,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,पहिले           खरेदी पावती प्रविष्ट करा,
 Please enter Receipt Document,पावती दस्तऐवज प्रविष्ट करा,
 Please enter Reference date,संदर्भ तारीख प्रविष्ट करा,
-Please enter Repayment Periods,परतफेड कालावधी प्रविष्ट करा,
 Please enter Reqd by Date,कृपया दिनांकानुसार Reqd प्रविष्ट करा,
 Please enter Woocommerce Server URL,कृपया Woocommerce सर्व्हर URL प्रविष्ट करा,
 Please enter Write Off Account,Write Off खाते प्रविष्ट करा,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,पालक खर्च केंद्र प्रविष्ट करा,
 Please enter quantity for Item {0},आयटम {0} साठी  संख्या प्रविष्ट करा,
 Please enter relieving date.,relieving तारीख प्रविष्ट करा.,
-Please enter repayment Amount,परतफेड रक्कम प्रविष्ट करा,
 Please enter valid Financial Year Start and End Dates,वैध आर्थिक वर्ष प्रारंभ आणि समाप्त  तारखा प्रविष्ट करा,
 Please enter valid email address,वैध ईमेल पत्ता प्रविष्ट करा,
 Please enter {0} first,प्रथम {0} प्रविष्ट करा,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,किंमत नियमांना   पुढील प्रमाणावर आधारित फिल्टर आहेत.,
 Primary Address Details,प्राथमिक पत्ता तपशील,
 Primary Contact Details,प्राथमिक संपर्क तपशील,
-Principal Amount,मुख्य रक्कम,
 Print Format,मुद्रण स्वरूप,
 Print IRS 1099 Forms,आयआरएस 1099 फॉर्म मुद्रित करा,
 Print Report Card,अहवाल कार्ड प्रिंट करा,
@@ -2550,7 +2538,6 @@
 Sample Collection,नमुना संकलन,
 Sample quantity {0} cannot be more than received quantity {1},नमुना प्रमाण {0} प्राप्त केलेल्या प्रमाणाहून अधिक असू शकत नाही {1},
 Sanctioned,मंजूर,
-Sanctioned Amount,मंजूर रक्कम,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,मंजूर रक्कम रो {0} मधे मागणी रक्कमेपेक्षा  जास्त असू शकत नाही.,
 Sand,वाळू,
 Saturday,शनिवारी,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} कडे आधीपासूनच पालक प्रक्रिया आहे {1}.,
 API,API,
 Annual,वार्षिक,
-Approved,मंजूर,
 Change,बदला,
 Contact Email,संपर्क ईमेल,
 Export Type,निर्यात प्रकार,
@@ -3571,7 +3557,6 @@
 Account Value,खाते मूल्य,
 Account is mandatory to get payment entries,देय नोंदी मिळविण्यासाठी खाते अनिवार्य आहे,
 Account is not set for the dashboard chart {0},डॅशबोर्ड चार्ट Account 0 Account साठी खाते सेट केलेले नाही,
-Account {0} does not belong to company {1},खाते {0} कंपनी संबंधित नाही {1},
 Account {0} does not exists in the dashboard chart {1},डॅशबोर्ड चार्ट {1} मध्ये खाते {0 exists विद्यमान नाही,
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,खाते: <b>{0</b> capital भांडवल आहे प्रगतीपथावर आणि जर्नल एन्ट्रीद्वारे अद्यतनित केले जाऊ शकत नाही,
 Account: {0} is not permitted under Payment Entry,खाते: पेमेंट एंट्री अंतर्गत {0} ला परवानगी नाही,
@@ -3582,7 +3567,6 @@
 Activity,क्रियाकलाप,
 Add / Manage Email Accounts.,ईमेल खाती व्यवस्थापित करा / जोडा.,
 Add Child,child जोडा,
-Add Loan Security,कर्ज सुरक्षा जोडा,
 Add Multiple,अनेक जोडा,
 Add Participants,सहभागी जोडा,
 Add to Featured Item,वैशिष्ट्यीकृत आयटमवर जोडा,
@@ -3593,15 +3577,12 @@
 Address Line 1,पत्ता ओळ 1,
 Addresses,पत्ते,
 Admission End Date should be greater than Admission Start Date.,प्रवेश समाप्ती तारीख प्रवेश प्रारंभ तारखेपेक्षा मोठी असावी.,
-Against Loan,कर्जाच्या विरूद्ध,
-Against Loan:,कर्जाविरूद्ध:,
 All,सर्व,
 All bank transactions have been created,सर्व बँक व्यवहार तयार केले गेले आहेत,
 All the depreciations has been booked,सर्व अवमूल्यन बुक केले गेले आहेत,
 Allocation Expired!,वाटप कालबाह्य!,
 Allow Resetting Service Level Agreement from Support Settings.,समर्थन सेटिंग्जमधून सेवा स्तर करार रीसेट करण्याची अनुमती द्या.,
 Amount of {0} is required for Loan closure,कर्ज बंद करण्यासाठी {0} ची रक्कम आवश्यक आहे,
-Amount paid cannot be zero,देय रक्कम शून्य असू शकत नाही,
 Applied Coupon Code,लागू केलेला कूपन कोड,
 Apply Coupon Code,कूपन कोड लागू करा,
 Appointment Booking,नियुक्ती बुकिंग,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,ड्रायव्हरचा पत्ता गहाळ झाल्यामुळे आगमन वेळेची गणना करणे शक्य नाही.,
 Cannot Optimize Route as Driver Address is Missing.,ड्रायव्हरचा पत्ता गहाळ झाल्यामुळे मार्ग ऑप्टिमाइझ करणे शक्य नाही.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,कार्य {0 complete पूर्ण करू शकत नाही कारण त्याचे अवलंबन कार्य {1} कॉम्पलेटेड / रद्द केलेले नाही.,
-Cannot create loan until application is approved,अर्ज मंजूर होईपर्यंत कर्ज तयार करू शकत नाही,
 Cannot find a matching Item. Please select some other value for {0}.,मानक क्षेत्रात हटवू शकत नाही. आपण {0} साठी काही इतर मूल्य निवडा.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings",आयटम row 0 row च्या पंक्ती row 1} मध्ये {2} पेक्षा जास्त ओव्हरबिल करू शकत नाही. ओव्हर बिलिंगला अनुमती देण्यासाठी कृपया खाती सेटिंग्जमध्ये भत्ता सेट करा,
 "Capacity Planning Error, planned start time can not be same as end time","क्षमता नियोजन त्रुटी, नियोजित प्रारंभ वेळ शेवटच्या वेळेसारखा असू शकत नाही",
@@ -3812,20 +3792,9 @@
 Less Than Amount,पेक्षा कमी रक्कम,
 Liabilities,उत्तरदायित्व,
 Loading...,लोड करीत आहे ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,प्रस्तावित सिक्युरिटीजनुसार कर्जाची रक्कम कमाल कर्जाची रक्कम {0 ce पेक्षा जास्त आहे,
 Loan Applications from customers and employees.,ग्राहक व कर्मचार्‍यांकडून कर्ज अर्ज.,
-Loan Disbursement,कर्ज वितरण,
 Loan Processes,कर्ज प्रक्रिया,
-Loan Security,कर्ज सुरक्षा,
-Loan Security Pledge,कर्ज सुरक्षा तारण,
-Loan Security Pledge Created : {0},कर्ज सुरक्षिततेची प्रतिज्ञा तयार केली: {0},
-Loan Security Price,कर्ज सुरक्षा किंमत,
-Loan Security Price overlapping with {0},कर्ज सुरक्षा किंमत {0 with सह आच्छादित,
-Loan Security Unpledge,कर्ज सुरक्षा Unp प्ले,
-Loan Security Value,कर्जाची सुरक्षा मूल्य,
 Loan Type for interest and penalty rates,व्याज आणि दंड दरासाठी कर्जाचा प्रकार,
-Loan amount cannot be greater than {0},कर्जाची रक्कम {0} पेक्षा जास्त असू शकत नाही,
-Loan is mandatory,कर्ज अनिवार्य आहे,
 Loans,कर्ज,
 Loans provided to customers and employees.,ग्राहक आणि कर्मचार्‍यांना दिलेली कर्जे.,
 Location,स्थान,
@@ -3894,7 +3863,6 @@
 Pay,द्या,
 Payment Document Type,पेमेंट दस्तऐवज प्रकार,
 Payment Name,देय नाव,
-Penalty Amount,दंड रक्कम,
 Pending,प्रलंबित,
 Performance,कामगिरी,
 Period based On,कालावधी चालू,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,हा आयटम संपादित करण्यासाठी कृपया मार्केटप्लेस वापरकर्ता म्हणून लॉगिन करा.,
 Please login as a Marketplace User to report this item.,या आयटमचा अहवाल देण्यासाठी कृपया मार्केटप्लेस वापरकर्ता म्हणून लॉगिन करा.,
 Please select <b>Template Type</b> to download template,कृपया <b>टेम्पलेट</b> डाउनलोड करण्यासाठी टेम्पलेट <b>प्रकार</b> निवडा,
-Please select Applicant Type first,कृपया प्रथम अर्जदार प्रकार निवडा,
 Please select Customer first,कृपया प्रथम ग्राहक निवडा,
 Please select Item Code first,कृपया प्रथम आयटम कोड निवडा,
-Please select Loan Type for company {0},कृपया कंपनीसाठी कर्जाचे प्रकार निवडा Type 0,
 Please select a Delivery Note,कृपया डिलिव्हरी नोट निवडा,
 Please select a Sales Person for item: {0},कृपया आयटमसाठी एक विक्री व्यक्ती निवडा: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',कृपया दुसरी देयक पद्धत निवडा. पट्टी चलन व्यवहार समर्थन देत नाही &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},कृपया कंपनी for 0} साठी डीफॉल्ट बँक खाते सेट अप करा.,
 Please specify,कृपया निर्दिष्ट करा,
 Please specify a {0},कृपया एक {0 specify निर्दिष्ट करा,lead
-Pledge Status,तारण स्थिती,
-Pledge Time,तारण वेळ,
 Printing,मुद्रण,
 Priority,प्राधान्य,
 Priority has been changed to {0}.,अग्रक्रम {0} मध्ये बदलले गेले आहे.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,एक्सएमएल फायलींवर प्रक्रिया करीत आहे,
 Profitability,नफा,
 Project,प्रकल्प,
-Proposed Pledges are mandatory for secured Loans,सुरक्षित कर्जासाठी प्रस्तावित प्रतिज्ञा अनिवार्य आहेत,
 Provide the academic year and set the starting and ending date.,शैक्षणिक वर्ष प्रदान करा आणि प्रारंभ आणि समाप्ती तारीख सेट करा.,
 Public token is missing for this bank,या बँकेसाठी सार्वजनिक टोकन गहाळ आहे,
 Publish,प्रकाशित करा,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,खरेदी पावतीमध्ये कोणताही आयटम नाही ज्यासाठी रीटेन नमूना सक्षम केला आहे.,
 Purchase Return,खरेदी परत,
 Qty of Finished Goods Item,तयार वस्तूंची संख्या,
-Qty or Amount is mandatroy for loan security,कर्जाच्या रकमेसाठी क्वाटी किंवा रकम ही मॅनडॅट्रॉय आहे,
 Quality Inspection required for Item {0} to submit,आयटम for 0 submit सबमिट करण्यासाठी गुणवत्ता तपासणी आवश्यक आहे,
 Quantity to Manufacture,उत्पादन करण्यासाठी प्रमाण,
 Quantity to Manufacture can not be zero for the operation {0},ऑपरेशन {0} साठी उत्पादनाची प्रमाण शून्य असू शकत नाही,
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,सामील होण्याची तारीख सामील होण्याच्या तारखेच्या किंवा त्याहून अधिक असणे आवश्यक आहे,
 Rename,पुनर्नामित करा,
 Rename Not Allowed,पुनर्नामित अनुमत नाही,
-Repayment Method is mandatory for term loans,मुदतीच्या कर्जासाठी परतफेड करण्याची पद्धत अनिवार्य आहे,
-Repayment Start Date is mandatory for term loans,मुदतीच्या कर्जासाठी परतफेड सुरू करण्याची तारीख अनिवार्य आहे,
 Report Item,आयटम नोंदवा,
 Report this Item,या आयटमचा अहवाल द्या,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,सब कॉन्ट्रॅक्टसाठी राखीव क्वाटीटी: सब कॉन्ट्रॅक्ट केलेल्या वस्तू बनविण्यासाठी कच्च्या मालाचे प्रमाण.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},पंक्ती ({0}): {1 आधीपासूनच {2 in मध्ये सवलत आहे,
 Rows Added in {0},Ows 0} मध्ये पंक्ती जोडल्या,
 Rows Removed in {0},पंक्ती {0 in मध्ये काढल्या,
-Sanctioned Amount limit crossed for {0} {1},मंजूर रकमेची मर्यादा} 0} {1 for साठी ओलांडली,
-Sanctioned Loan Amount already exists for {0} against company {1},कंपनी} 1} विरूद्ध Lo 0 for साठी मंजूर कर्ज रक्कम आधीपासून विद्यमान आहे,
 Save,जतन करा,
 Save Item,आयटम जतन करा,
 Saved Items,जतन केलेले आयटम,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,सदस्य {0} अक्षम आहे,
 Users and Permissions,वापरकर्ते आणि परवानग्या,
 Vacancies cannot be lower than the current openings,रिक्त जागा सध्याच्या उद्घाटनापेक्षा कमी असू शकत नाहीत,
-Valid From Time must be lesser than Valid Upto Time.,वैध वेळेपासून वैध वेळेपेक्षा कमी असणे आवश्यक आहे.,
 Valuation Rate required for Item {0} at row {1},पंक्ती {1} वर आयटम {0} साठी मूल्य दर आवश्यक,
 Values Out Of Sync,समक्रमित मूल्ये,
 Vehicle Type is required if Mode of Transport is Road,जर मोड ऑफ ट्रान्सपोर्ट रोड असेल तर वाहन प्रकार आवश्यक आहे,
@@ -4211,7 +4168,6 @@
 Add to Cart,सूचीत टाका,
 Days Since Last Order,शेवटची ऑर्डर असल्याने दिवस,
 In Stock,स्टॉक,
-Loan Amount is mandatory,कर्जाची रक्कम अनिवार्य आहे,
 Mode Of Payment,मोड ऑफ पेमेंट्स,
 No students Found,कोणतेही विद्यार्थी आढळले नाहीत,
 Not in Stock,स्टॉक मध्ये नाही,
@@ -4240,7 +4196,6 @@
 Group by,गट,
 In stock,स्टॉक मध्ये,
 Item name,आयटम नाव,
-Loan amount is mandatory,कर्जाची रक्कम अनिवार्य आहे,
 Minimum Qty,किमान प्रमाण,
 More details,अधिक माहितीसाठी,
 Nature of Supplies,पुरवठा स्वरूप,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,एकूण पूर्ण प्रमाण,
 Qty to Manufacture,निर्मिती करण्यासाठी  Qty,
 Repay From Salary can be selected only for term loans,पगाराची परतफेड केवळ मुदतीच्या कर्जासाठी निवडली जाऊ शकते,
-No valid Loan Security Price found for {0},Security 0 for साठी कोणतीही वैध कर्जाची सुरक्षा किंमत आढळली नाही,
-Loan Account and Payment Account cannot be same,कर्ज खाते आणि देयक खाते एकसारखे असू शकत नाही,
-Loan Security Pledge can only be created for secured loans,कर्जाची सुरक्षा प्रतिज्ञा केवळ सुरक्षित कर्जासाठी केली जाऊ शकते,
 Social Media Campaigns,सोशल मीडिया मोहिमा,
 From Date can not be greater than To Date,तारखेपासून तारखेपेक्षा मोठी असू शकत नाही,
 Please set a Customer linked to the Patient,कृपया रुग्णांशी जोडलेला एखादा ग्राहक सेट करा,
@@ -6437,7 +6389,6 @@
 HR User,एचआर सदस्य,
 Appointment Letter,नियुक्ती पत्र,
 Job Applicant,ईयोब अर्जदाराचे,
-Applicant Name,अर्जदाराचे नाव,
 Appointment Date,नियुक्तीची तारीख,
 Appointment Letter Template,नियुक्ती पत्र टेम्पलेट,
 Body,शरीर,
@@ -7059,99 +7010,12 @@
 Sync in Progress,प्रगतीपथावर संकालन,
 Hub Seller Name,हब विक्रेता नाव,
 Custom Data,सानुकूल डेटा,
-Member,सदस्य,
-Partially Disbursed,अंशत: वाटप,
-Loan Closure Requested,कर्ज बंद करण्याची विनंती केली,
 Repay From Salary,पगार पासून परत फेड करा,
-Loan Details,कर्ज तपशील,
-Loan Type,कर्ज प्रकार,
-Loan Amount,कर्ज रक्कम,
-Is Secured Loan,सुरक्षित कर्ज आहे,
-Rate of Interest (%) / Year,व्याज (%) / वर्ष दर,
-Disbursement Date,खर्च तारीख,
-Disbursed Amount,वितरित रक्कम,
-Is Term Loan,टर्म लोन आहे,
-Repayment Method,परतफेड पद्धत,
-Repay Fixed Amount per Period,प्रति कालावधी मुदत रक्कम परतफेड,
-Repay Over Number of Periods,"कालावधी, म्हणजे क्रमांक परत फेड करा",
-Repayment Period in Months,महिने कर्जफेड कालावधी,
-Monthly Repayment Amount,मासिक परतफेड रक्कम,
-Repayment Start Date,परतफेड प्रारंभ तारीख,
-Loan Security Details,कर्जाची सुरक्षा तपशील,
-Maximum Loan Value,कमाल कर्ज मूल्य,
-Account Info,खात्याची माहिती,
-Loan Account,कर्ज खाते,
-Interest Income Account,व्याज उत्पन्न खाते,
-Penalty Income Account,दंड उत्पन्न खाते,
-Repayment Schedule,परतफेड वेळापत्रकाच्या,
-Total Payable Amount,एकूण देय रक्कम,
-Total Principal Paid,एकूण प्राचार्य दिले,
-Total Interest Payable,देय एकूण व्याज,
-Total Amount Paid,देय एकूण रक्कम,
-Loan Manager,कर्ज व्यवस्थापक,
-Loan Info,कर्ज माहिती,
-Rate of Interest,व्याज दर,
-Proposed Pledges,प्रस्तावित प्रतिज्ञा,
-Maximum Loan Amount,कमाल कर्ज रक्कम,
-Repayment Info,परतफेड माहिती,
-Total Payable Interest,एकूण व्याज देय,
-Against Loan ,कर्जाच्या विरूद्ध,
-Loan Interest Accrual,कर्ज व्याज जमा,
-Amounts,रक्कम,
-Pending Principal Amount,प्रलंबित रक्कम,
-Payable Principal Amount,देय प्रधान रक्कम,
-Paid Principal Amount,देय प्रधान रक्कम,
-Paid Interest Amount,देय व्याज रक्कम,
-Process Loan Interest Accrual,प्रक्रिया कर्ज व्याज जमा,
-Repayment Schedule Name,परतफेड वेळापत्रक,
 Regular Payment,नियमित देय,
 Loan Closure,कर्ज बंद,
-Payment Details,भरणा माहिती,
-Interest Payable,व्याज देय,
-Amount Paid,अदा केलेली रक्कम,
-Principal Amount Paid,मुख्य रक्कम दिली,
-Repayment Details,परतफेड तपशील,
-Loan Repayment Detail,कर्जाची परतफेड तपशील,
-Loan Security Name,कर्जाचे सुरक्षा नाव,
-Unit Of Measure,मोजण्याचे एकक,
-Loan Security Code,कर्ज सुरक्षा कोड,
-Loan Security Type,कर्ज सुरक्षा प्रकार,
-Haircut %,केशरचना%,
-Loan  Details,कर्जाचा तपशील,
-Unpledged,अप्रमाणित,
-Pledged,तारण ठेवले,
-Partially Pledged,अर्धवट तारण ठेवले,
-Securities,सिक्युरिटीज,
-Total Security Value,एकूण सुरक्षा मूल्य,
-Loan Security Shortfall,कर्ज सुरक्षा कमतरता,
-Loan ,कर्ज,
-Shortfall Time,कमी वेळ,
-America/New_York,अमेरिका / न्यूयॉर्क,
-Shortfall Amount,उणीव रक्कम,
-Security Value ,सुरक्षा मूल्य,
-Process Loan Security Shortfall,प्रक्रिया कर्ज सुरक्षा कमतरता,
-Loan To Value Ratio,कर्जाचे मूल्य प्रमाण,
-Unpledge Time,अप्रत्याशित वेळ,
-Loan Name,कर्ज नाव,
 Rate of Interest (%) Yearly,व्याज दर (%) वार्षिक,
-Penalty Interest Rate (%) Per Day,दंड व्याज दर (%) दर दिवशी,
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,विलंब परतफेड झाल्यास दररोज प्रलंबित व्याज रकमेवर दंड व्याज दर आकारला जातो,
-Grace Period in Days,दिवसांमध्ये ग्रेस पीरियड,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,कर्जाची परतफेड करण्यास विलंब झाल्यास देय तारखेपासून किती दिवस दंड आकारला जाणार नाही?,
-Pledge,प्रतिज्ञा,
-Post Haircut Amount,केशरचनानंतरची रक्कम,
-Process Type,प्रक्रिया प्रकार,
-Update Time,अद्यतनित वेळ,
-Proposed Pledge,प्रस्तावित प्रतिज्ञा,
-Total Payment,एकूण भरणा,
-Balance Loan Amount,शिल्लक कर्ज रक्कम,
-Is Accrued,जमा आहे,
 Salary Slip Loan,वेतन स्लिप कर्ज,
 Loan Repayment Entry,कर्जाची परतफेड एन्ट्री,
-Sanctioned Loan Amount,मंजूर कर्जाची रक्कम,
-Sanctioned Amount Limit,मंजूर रक्कम मर्यादा,
-Unpledge,न कबूल करा,
-Haircut,केशरचना,
 MAT-MSH-.YYYY.-,MAT-MSH- .YYYY.-,
 Generate Schedule,वेळापत्रक तयार  करा,
 Schedules,वेळापत्रक,
@@ -7885,7 +7749,6 @@
 Update Series,अद्यतन मालिका,
 Change the starting / current sequence number of an existing series.,विद्यमान मालिकेत सुरू / वर्तमान क्रम संख्या बदला.,
 Prefix,पूर्वपद,
-Current Value,वर्तमान मूल्य,
 This is the number of the last created transaction with this prefix,हा क्रमांक या प्रत्ययसह  गेल्या निर्माण केलेला  व्यवहार  आहे,
 Update Series Number,अद्यतन मालिका क्रमांक,
 Quotation Lost Reason,कोटेशन हरवले कारण,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise पुनर्क्रमित स्तर शिफारस,
 Lead Details,लीड तपशील,
 Lead Owner Efficiency,लीड मालक कार्यक्षमता,
-Loan Repayment and Closure,कर्जाची परतफेड आणि बंद,
-Loan Security Status,कर्ज सुरक्षा स्थिती,
 Lost Opportunity,संधी गमावली,
 Maintenance Schedules,देखभाल वेळापत्रक,
 Material Requests for which Supplier Quotations are not created,साहित्य विनंत्या  ज्यांच्यासाठी पुरवठादार अवतरणे तयार नाहीत,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},लक्ष्यित संख्या: {0},
 Payment Account is mandatory,पेमेंट खाते अनिवार्य आहे,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","तपासल्यास, कोणतीही घोषणा किंवा पुरावा सबमिशन न करता आयकर मोजण्यापूर्वी संपूर्ण रक्कम करपात्र उत्पन्नामधून वजा केली जाईल.",
-Disbursement Details,वितरणाचा तपशील,
 Material Request Warehouse,साहित्य विनंती वखार,
 Select warehouse for material requests,भौतिक विनंत्यांसाठी गोदाम निवडा,
 Transfer Materials For Warehouse {0},वेअरहाउस {0 For साठी सामग्री हस्तांतरित करा,
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,वेतनातून दावा न केलेली रक्कम परत द्या,
 Deduction from salary,वेतनातून वजावट,
 Expired Leaves,कालबाह्य झालेले पाने,
-Reference No,संदर्भ क्रमांक,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,केशभूषा टक्केवारी म्हणजे कर्जाची जमानत म्हणून वापरली जाणारी कर्जाची सुरक्षा किंमत आणि त्या कर्जाच्या सुरक्षिततेस दिलेल्या मूल्यांमधील टक्केवारीतील फरक.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,लोन टू व्हॅल्यू रेश्यो तारण ठेवलेल्या सिक्युरिटीजच्या कर्जाच्या रकमेचे प्रमाण व्यक्त करते. जर हे कोणत्याही कर्जाच्या निर्दिष्ट मूल्यापेक्षा कमी झाले तर कर्जाची सुरक्षा कमतरता निर्माण होईल,
 If this is not checked the loan by default will be considered as a Demand Loan,हे तपासले नाही तर डीफॉल्टनुसार कर्ज डिमांड लोन मानले जाईल,
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,हे खाते कर्जदाराकडून कर्ज परतफेड बुक करण्यासाठी आणि कर्जदाराला कर्ज वितरणासाठी वापरले जाते.,
 This account is capital account which is used to allocate capital for loan disbursal account ,हे खाते भांडवल खाते आहे जे कर्ज वितरण खात्यासाठी भांडवल वाटप करण्यासाठी वापरले जाते,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},ऑपरेशन {0 the वर्क ऑर्डरशी संबंधित नाही {1},
 Print UOM after Quantity,प्रमाणानंतर यूओएम मुद्रित करा,
 Set default {0} account for perpetual inventory for non stock items,स्टॉक नसलेल्या वस्तूंसाठी कायम सूचीसाठी डीफॉल्ट {0} खाते सेट करा,
-Loan Security {0} added multiple times,कर्ज सुरक्षा {0} अनेक वेळा जोडली,
-Loan Securities with different LTV ratio cannot be pledged against one loan,एका एलटीव्ही रेशोसह वेगवेगळ्या कर्ज सिक्युरिटीज एका कर्जावर तारण ठेवू शकत नाही,
-Qty or Amount is mandatory for loan security!,कर्जाच्या सुरक्षिततेसाठी रक्कम किंवा रक्कम अनिवार्य आहे!,
-Only submittted unpledge requests can be approved,केवळ सबमिट केलेल्या अनप्लेज विनंत्यांना मंजूर केले जाऊ शकते,
-Interest Amount or Principal Amount is mandatory,व्याज रक्कम किंवा मूळ रक्कम अनिवार्य आहे,
-Disbursed Amount cannot be greater than {0},वितरित केलेली रक्कम {0 than पेक्षा जास्त असू शकत नाही,
-Row {0}: Loan Security {1} added multiple times,पंक्ती {0}: कर्ज सुरक्षा {1 multiple अनेक वेळा जोडली,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,पंक्ती # {0}: चाईल्ड आयटम उत्पादन बंडल असू नये. कृपया आयटम {1 remove काढा आणि जतन करा,
 Credit limit reached for customer {0},ग्राहकांसाठी क्रेडिट मर्यादा reached 0 reached पर्यंत पोहोचली,
 Could not auto create Customer due to the following missing mandatory field(s):,खालील हरवलेल्या अनिवार्य फील्डमुळे ग्राहक स्वयंचलितरित्या तयार करु शकले नाही:,
diff --git a/erpnext/translations/ms.csv b/erpnext/translations/ms.csv
index d3fbd4c..e815a1d 100644
--- a/erpnext/translations/ms.csv
+++ b/erpnext/translations/ms.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Berkenaan jika syarikat itu adalah SpA, SApA atau SRL",
 Applicable if the company is a limited liability company,Berkenaan jika syarikat itu adalah syarikat liabiliti terhad,
 Applicable if the company is an Individual or a Proprietorship,Berkenaan jika syarikat itu adalah Individu atau Tuan Rumah,
-Applicant,Pemohon,
-Applicant Type,Jenis Pemohon,
 Application of Funds (Assets),Permohonan Dana (Aset),
 Application period cannot be across two allocation records,Tempoh permohonan tidak boleh merangkumi dua rekod peruntukan,
 Application period cannot be outside leave allocation period,Tempoh permohonan tidak boleh cuti di luar tempoh peruntukan,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Senarai Pemegang Saham yang tersedia dengan nombor folio,
 Loading Payment System,Memuatkan Sistem Pembayaran,
 Loan,Pinjaman,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Jumlah Pinjaman tidak boleh melebihi Jumlah Pinjaman Maksimum {0},
-Loan Application,Permohonan Pinjaman,
-Loan Management,Pengurusan Pinjaman,
-Loan Repayment,bayaran balik pinjaman,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Tarikh Mula Pinjaman dan Tempoh Pinjaman adalah wajib untuk menyimpan Invois Discounting,
 Loans (Liabilities),Pinjaman (Liabiliti),
 Loans and Advances (Assets),Pinjaman dan Pendahuluan (Aset),
@@ -1611,7 +1605,6 @@
 Monday,Isnin,
 Monthly,Bulanan,
 Monthly Distribution,Pengagihan Bulanan,
-Monthly Repayment Amount cannot be greater than Loan Amount,Jumlah Pembayaran balik bulanan tidak boleh lebih besar daripada Jumlah Pinjaman,
 More,Lebih banyak,
 More Information,Maklumat lanjut,
 More than one selection for {0} not allowed,Lebih daripada satu pilihan untuk {0} tidak dibenarkan,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Bayar {0} {1},
 Payable,Kena dibayar,
 Payable Account,Akaun Belum Bayar,
-Payable Amount,Jumlah yang Dibayar,
 Payment,Pembayaran,
 Payment Cancelled. Please check your GoCardless Account for more details,Pembayaran Dibatalkan. Sila semak Akaun GoCardless anda untuk maklumat lanjut,
 Payment Confirmation,Pengesahan pembayaran,
-Payment Date,Tarikh pembayaran,
 Payment Days,Hari Pembayaran,
 Payment Document,Dokumen Pembayaran,
 Payment Due Date,Tarikh Pembayaran,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,Sila masukkan Resit Pembelian pertama,
 Please enter Receipt Document,Sila masukkan Dokumen Resit,
 Please enter Reference date,Sila masukkan tarikh rujukan,
-Please enter Repayment Periods,Sila masukkan Tempoh Bayaran Balik,
 Please enter Reqd by Date,Sila masukkan Reqd mengikut Tarikh,
 Please enter Woocommerce Server URL,Sila masukkan URL Pelayan Woocommerce,
 Please enter Write Off Account,Sila masukkan Tulis Off Akaun,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,Sila masukkan induk pusat kos,
 Please enter quantity for Item {0},Sila masukkan kuantiti untuk Perkara {0},
 Please enter relieving date.,Sila masukkan tarikh melegakan.,
-Please enter repayment Amount,Sila masukkan jumlah pembayaran balik,
 Please enter valid Financial Year Start and End Dates,Sila masukkan tahun kewangan yang sah Mula dan Tarikh Akhir,
 Please enter valid email address,Sila masukkan alamat emel yang sah,
 Please enter {0} first,Sila masukkan {0} pertama,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Peraturan harga yang lagi ditapis berdasarkan kuantiti.,
 Primary Address Details,Butiran Alamat Utama,
 Primary Contact Details,Butiran Hubungan Utama,
-Principal Amount,Jumlah Prinsipal,
 Print Format,Format cetak,
 Print IRS 1099 Forms,Cetak Borang IRS 1099,
 Print Report Card,Cetak Kad Laporan,
@@ -2550,7 +2538,6 @@
 Sample Collection,Pengumpulan Sampel,
 Sample quantity {0} cannot be more than received quantity {1},Kuantiti sampel {0} tidak boleh melebihi kuantiti yang diterima {1},
 Sanctioned,Diiktiraf,
-Sanctioned Amount,Jumlah dibenarkan,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Amaun yang dibenarkan tidak boleh lebih besar daripada Tuntutan Jumlah dalam Row {0}.,
 Sand,Pasir,
 Saturday,Sabtu,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} sudah mempunyai Tatacara Ibu Bapa {1}.,
 API,API,
 Annual,Tahunan,
-Approved,Diluluskan,
 Change,Perubahan,
 Contact Email,Hubungi E-mel,
 Export Type,Jenis Eksport,
@@ -3571,7 +3557,6 @@
 Account Value,Nilai Akaun,
 Account is mandatory to get payment entries,Akaun adalah wajib untuk mendapatkan penyertaan pembayaran,
 Account is not set for the dashboard chart {0},Akaun tidak ditetapkan untuk carta papan pemuka {0},
-Account {0} does not belong to company {1},Akaun {0} bukan milik Syarikat {1},
 Account {0} does not exists in the dashboard chart {1},Akaun {0} tidak wujud dalam carta papan pemuka {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Akaun: <b>{0}</b> adalah modal Kerja dalam proses dan tidak dapat dikemas kini oleh Kemasukan Jurnal,
 Account: {0} is not permitted under Payment Entry,Akaun: {0} tidak dibenarkan di bawah Penyertaan Bayaran,
@@ -3582,7 +3567,6 @@
 Activity,Aktiviti,
 Add / Manage Email Accounts.,Tambah / Urus Akaun E-mel.,
 Add Child,Tambah Anak,
-Add Loan Security,Tambah Keselamatan Pinjaman,
 Add Multiple,menambah Pelbagai,
 Add Participants,Tambah Peserta,
 Add to Featured Item,Tambah ke Item Pilihan,
@@ -3593,15 +3577,12 @@
 Address Line 1,Alamat Baris 1,
 Addresses,Alamat,
 Admission End Date should be greater than Admission Start Date.,Tarikh Akhir Kemasukan hendaklah lebih besar daripada Tarikh Permulaan Kemasukan.,
-Against Loan,Terhadap Pinjaman,
-Against Loan:,Terhadap Pinjaman:,
 All,Semua,
 All bank transactions have been created,Semua transaksi bank telah dibuat,
 All the depreciations has been booked,Semua susut nilai telah ditempah,
 Allocation Expired!,Peruntukan Tamat Tempoh!,
 Allow Resetting Service Level Agreement from Support Settings.,Benarkan Perjanjian Tahap Perkhidmatan Reset dari Tetapan Sokongan.,
 Amount of {0} is required for Loan closure,Jumlah {0} diperlukan untuk penutupan Pinjaman,
-Amount paid cannot be zero,Jumlah yang dibayar tidak boleh menjadi sifar,
 Applied Coupon Code,Kod Kupon Gunaan,
 Apply Coupon Code,Guna Kod Kupon,
 Appointment Booking,Tempahan Pelantikan,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,Tidak Dapat Kira Masa Kedatangan Sebagai Alamat Pemandu Hilang.,
 Cannot Optimize Route as Driver Address is Missing.,Tidak Dapat Mengoptimumkan Laluan sebagai Alamat Pemandu Hilang.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Tidak dapat menyelesaikan tugas {0} sebagai tugasnya bergantung {1} tidak selesai / dibatalkan.,
-Cannot create loan until application is approved,Tidak boleh membuat pinjaman sehingga permohonan diluluskan,
 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}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Tidak boleh mengatasi Perkara {0} dalam baris {1} lebih daripada {2}. Untuk membenarkan lebihan pengebilan, sila tentukan peruntukan dalam Tetapan Akaun",
 "Capacity Planning Error, planned start time can not be same as end time","Kesalahan Perancangan Kapasiti, masa permulaan yang dirancang tidak boleh sama dengan masa tamat",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Kurang Daripada Jumlah,
 Liabilities,Liabiliti,
 Loading...,Loading ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Jumlah Pinjaman melebihi jumlah maksimum pinjaman {0} seperti yang dicadangkan sekuriti,
 Loan Applications from customers and employees.,Permohonan Pinjaman dari pelanggan dan pekerja.,
-Loan Disbursement,Pengeluaran Pinjaman,
 Loan Processes,Proses Pinjaman,
-Loan Security,Keselamatan Pinjaman,
-Loan Security Pledge,Ikrar Jaminan Pinjaman,
-Loan Security Pledge Created : {0},Ikrar Jaminan Pinjaman Dibuat: {0},
-Loan Security Price,Harga Sekuriti Pinjaman,
-Loan Security Price overlapping with {0},Harga Sekuriti Pinjaman bertindih dengan {0},
-Loan Security Unpledge,Keselamatan Pinjaman Tidak Menutup,
-Loan Security Value,Nilai Jaminan Pinjaman,
 Loan Type for interest and penalty rates,Jenis Pinjaman untuk kadar faedah dan penalti,
-Loan amount cannot be greater than {0},Jumlah pinjaman tidak boleh melebihi {0},
-Loan is mandatory,Pinjaman wajib,
 Loans,Pinjaman,
 Loans provided to customers and employees.,Pinjaman yang diberikan kepada pelanggan dan pekerja.,
 Location,Lokasi,
@@ -3894,7 +3863,6 @@
 Pay,Bayar,
 Payment Document Type,Jenis Dokumen Pembayaran,
 Payment Name,Nama Pembayaran,
-Penalty Amount,Jumlah Penalti,
 Pending,Sementara menunggu,
 Performance,Prestasi,
 Period based On,Tempoh berasaskan,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,Sila log masuk sebagai Pengguna Marketplace untuk mengedit item ini.,
 Please login as a Marketplace User to report this item.,Sila log masuk sebagai Pengguna Pasaran untuk melaporkan perkara ini.,
 Please select <b>Template Type</b> to download template,Sila pilih <b>Templat Jenis</b> untuk memuat turun templat,
-Please select Applicant Type first,Sila pilih Jenis Pemohon terlebih dahulu,
 Please select Customer first,Sila pilih Pelanggan terlebih dahulu,
 Please select Item Code first,Sila pilih Kod Item terlebih dahulu,
-Please select Loan Type for company {0},Sila pilih Jenis Pinjaman untuk syarikat {0},
 Please select a Delivery Note,Sila pilih Nota Penghantaran,
 Please select a Sales Person for item: {0},Sila pilih Orang Jualan untuk item: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Sila pilih kaedah pembayaran yang lain. Jalur tidak menyokong urus niaga dalam mata wang &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Sila tetapkan akaun bank lalai untuk syarikat {0},
 Please specify,Sila nyatakan,
 Please specify a {0},Sila nyatakan {0},lead
-Pledge Status,Status Ikrar,
-Pledge Time,Masa Ikrar,
 Printing,Percetakan,
 Priority,Keutamaan,
 Priority has been changed to {0}.,Keutamaan telah diubah menjadi {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Memproses Fail XML,
 Profitability,Keuntungan,
 Project,Projek,
-Proposed Pledges are mandatory for secured Loans,Cadangan Ikrar adalah wajib bagi Pinjaman bercagar,
 Provide the academic year and set the starting and ending date.,Menyediakan tahun akademik dan menetapkan tarikh permulaan dan akhir.,
 Public token is missing for this bank,Token umum hilang untuk bank ini,
 Publish,Menerbitkan,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Resit Pembelian tidak mempunyai sebarang item yang mengekalkan sampel adalah didayakan.,
 Purchase Return,Pembelian Pulangan,
 Qty of Finished Goods Item,Qty Item Barang yang Selesai,
-Qty or Amount is mandatroy for loan security,Qty atau Jumlah adalah mandatroy untuk keselamatan pinjaman,
 Quality Inspection required for Item {0} to submit,Pemeriksaan Kualiti diperlukan untuk Item {0} untuk dihantar,
 Quantity to Manufacture,Kuantiti Pengilangan,
 Quantity to Manufacture can not be zero for the operation {0},Kuantiti Pengilangan tidak boleh menjadi sifar untuk operasi {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Tarikh Pelunasan mestilah lebih besar daripada atau sama dengan Tarikh Bergabung,
 Rename,Nama semula,
 Rename Not Allowed,Namakan semula Tidak Dibenarkan,
-Repayment Method is mandatory for term loans,Kaedah pembayaran balik adalah wajib untuk pinjaman berjangka,
-Repayment Start Date is mandatory for term loans,Tarikh Mula Bayaran Balik adalah wajib untuk pinjaman berjangka,
 Report Item,Laporkan Perkara,
 Report this Item,Laporkan item ini,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Dicadangkan Qty untuk Subkontrak: Kuantiti bahan mentah untuk membuat item subkontrak.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Baris ({0}): {1} telah didiskaunkan dalam {2},
 Rows Added in {0},Baris Ditambah dalam {0},
 Rows Removed in {0},Baris Dihapuskan dalam {0},
-Sanctioned Amount limit crossed for {0} {1},Had Jumlah Sanctioned diseberang untuk {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},Amaun Pinjaman yang Dimansuhkan telah wujud untuk {0} terhadap syarikat {1},
 Save,Simpan,
 Save Item,Simpan Item,
 Saved Items,Item yang disimpan,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Pengguna {0} adalah orang kurang upaya,
 Users and Permissions,Pengguna dan Kebenaran,
 Vacancies cannot be lower than the current openings,Kekosongan tidak boleh lebih rendah daripada bukaan semasa,
-Valid From Time must be lesser than Valid Upto Time.,Sah dari Masa mesti kurang daripada Sah Sehingga Masa.,
 Valuation Rate required for Item {0} at row {1},Kadar Penilaian diperlukan untuk Item {0} pada baris {1},
 Values Out Of Sync,Nilai Out Of Sync,
 Vehicle Type is required if Mode of Transport is Road,Jenis Kenderaan diperlukan jika Mod Pengangkutan adalah Jalan,
@@ -4211,7 +4168,6 @@
 Add to Cart,Dalam Troli,
 Days Since Last Order,Hari Sejak Perintah Terakhir,
 In Stock,In Stock,
-Loan Amount is mandatory,Amaun Pinjaman adalah wajib,
 Mode Of Payment,Cara Pembayaran,
 No students Found,Tiada pelajar yang dijumpai,
 Not in Stock,Tidak dalam Saham,
@@ -4240,7 +4196,6 @@
 Group by,Group By,
 In stock,Dalam stok,
 Item name,Nama Item,
-Loan amount is mandatory,Amaun Pinjaman adalah wajib,
 Minimum Qty,Qty Minimum,
 More details,Maklumat lanjut,
 Nature of Supplies,Alam Bekalan,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Jumlah Selesai Qty,
 Qty to Manufacture,Qty Untuk Pembuatan,
 Repay From Salary can be selected only for term loans,Bayaran Balik Dari Gaji boleh dipilih hanya untuk pinjaman berjangka,
-No valid Loan Security Price found for {0},Tidak dijumpai Harga Keselamatan Pinjaman yang sah untuk {0},
-Loan Account and Payment Account cannot be same,Akaun Pinjaman dan Akaun Pembayaran tidak boleh sama,
-Loan Security Pledge can only be created for secured loans,Pinjaman Keselamatan Pinjaman hanya boleh dibuat untuk pinjaman bercagar,
 Social Media Campaigns,Kempen Media Sosial,
 From Date can not be greater than To Date,Dari Tarikh tidak boleh lebih besar daripada Tarikh,
 Please set a Customer linked to the Patient,Sila tetapkan Pelanggan yang dihubungkan dengan Pesakit,
@@ -6437,7 +6389,6 @@
 HR User,HR pengguna,
 Appointment Letter,Surat temujanji,
 Job Applicant,Kerja Pemohon,
-Applicant Name,Nama pemohon,
 Appointment Date,Tarikh Pelantikan,
 Appointment Letter Template,Templat Surat Pelantikan,
 Body,Badan,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Segerakkan dalam Kemajuan,
 Hub Seller Name,Nama Penjual Hab,
 Custom Data,Data Tersuai,
-Member,Ahli,
-Partially Disbursed,sebahagiannya Dikeluarkan,
-Loan Closure Requested,Penutupan Pinjaman yang Diminta,
 Repay From Salary,Membayar balik dari Gaji,
-Loan Details,Butiran pinjaman,
-Loan Type,Jenis pinjaman,
-Loan Amount,Jumlah pinjaman,
-Is Secured Loan,Adakah Pinjaman Terjamin,
-Rate of Interest (%) / Year,Kadar faedah (%) / Tahun,
-Disbursement Date,Tarikh pembayaran,
-Disbursed Amount,Jumlah yang Dibelanjakan,
-Is Term Loan,Adakah Pinjaman Berjangka,
-Repayment Method,Kaedah Bayaran Balik,
-Repay Fixed Amount per Period,Membayar balik Jumlah tetap setiap Tempoh,
-Repay Over Number of Periods,Membayar balik Over Bilangan Tempoh,
-Repayment Period in Months,Tempoh pembayaran balik dalam Bulan,
-Monthly Repayment Amount,Jumlah Bayaran Balik Bulanan,
-Repayment Start Date,Tarikh Mula Pembayaran Balik,
-Loan Security Details,Butiran Keselamatan Pinjaman,
-Maximum Loan Value,Nilai Pinjaman Maksimum,
-Account Info,Maklumat akaun,
-Loan Account,Akaun Pinjaman,
-Interest Income Account,Akaun Pendapatan Faedah,
-Penalty Income Account,Akaun Pendapatan Penalti,
-Repayment Schedule,Jadual Pembayaran Balik,
-Total Payable Amount,Jumlah Dibayar,
-Total Principal Paid,Jumlah Prinsipal Dibayar,
-Total Interest Payable,Jumlah Faedah yang Perlu Dibayar,
-Total Amount Paid,Jumlah Amaun Dibayar,
-Loan Manager,Pengurus Pinjaman,
-Loan Info,Maklumat pinjaman,
-Rate of Interest,Kadar faedah,
-Proposed Pledges,Cadangan Ikrar,
-Maximum Loan Amount,Jumlah Pinjaman maksimum,
-Repayment Info,Maklumat pembayaran balik,
-Total Payable Interest,Jumlah Faedah yang Perlu Dibayar,
-Against Loan ,Melawan Pinjaman,
-Loan Interest Accrual,Akruan Faedah Pinjaman,
-Amounts,Jumlah,
-Pending Principal Amount,Jumlah Prinsipal yang belum selesai,
-Payable Principal Amount,Jumlah Prinsipal yang Dibayar,
-Paid Principal Amount,Amaun Prinsipal yang Dibayar,
-Paid Interest Amount,Jumlah Faedah Dibayar,
-Process Loan Interest Accrual,Memproses Accrual Interest Loan,
-Repayment Schedule Name,Nama Jadual Pembayaran Balik,
 Regular Payment,Pembayaran tetap,
 Loan Closure,Penutupan Pinjaman,
-Payment Details,Butiran Pembayaran,
-Interest Payable,Faedah yang Dibayar,
-Amount Paid,Amaun Dibayar,
-Principal Amount Paid,Jumlah Prinsipal Dibayar,
-Repayment Details,Butiran Bayaran Balik,
-Loan Repayment Detail,Perincian Bayaran Balik Pinjaman,
-Loan Security Name,Nama Sekuriti Pinjaman,
-Unit Of Measure,Unit ukuran,
-Loan Security Code,Kod Keselamatan Pinjaman,
-Loan Security Type,Jenis Keselamatan Pinjaman,
-Haircut %,Potongan rambut%,
-Loan  Details,Butiran Pinjaman,
-Unpledged,Tidak terpadam,
-Pledged,Dicagar,
-Partially Pledged,Sebahagian yang dijanjikan,
-Securities,Sekuriti,
-Total Security Value,Jumlah Nilai Keselamatan,
-Loan Security Shortfall,Kekurangan Keselamatan Pinjaman,
-Loan ,Pinjaman,
-Shortfall Time,Masa Berkurangan,
-America/New_York,Amerika / New_York,
-Shortfall Amount,Jumlah Kekurangan,
-Security Value ,Nilai Keselamatan,
-Process Loan Security Shortfall,Proses Kekurangan Keselamatan Pinjaman Proses,
-Loan To Value Ratio,Nisbah Pinjaman kepada Nilai,
-Unpledge Time,Masa Unpledge,
-Loan Name,Nama Loan,
 Rate of Interest (%) Yearly,Kadar faedah (%) tahunan,
-Penalty Interest Rate (%) Per Day,Kadar Faedah Penalti (%) Sehari,
-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,
-Grace Period in Days,Tempoh Grace dalam Hari,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,Jumlah hari dari tarikh akhir sehingga penalti tidak akan dikenakan sekiranya berlaku kelewatan pembayaran pinjaman,
-Pledge,Ikrar,
-Post Haircut Amount,Jumlah Potongan Rambut,
-Process Type,Jenis Proses,
-Update Time,Kemas kini Masa,
-Proposed Pledge,Cadangan Ikrar,
-Total Payment,Jumlah Bayaran,
-Balance Loan Amount,Jumlah Baki Pinjaman,
-Is Accrued,Telah terakru,
 Salary Slip Loan,Pinjaman Slip Gaji,
 Loan Repayment Entry,Kemasukan Bayaran Balik Pinjaman,
-Sanctioned Loan Amount,Amaun Pinjaman Yang Dituntut,
-Sanctioned Amount Limit,Had jumlah yang disyorkan,
-Unpledge,Tidak melengkapkan,
-Haircut,Potongan rambut,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Menjana Jadual,
 Schedules,Jadual,
@@ -7885,7 +7749,6 @@
 Update Series,Update Siri,
 Change the starting / current sequence number of an existing series.,Menukar nombor yang bermula / semasa urutan siri yang sedia ada.,
 Prefix,Awalan,
-Current Value,Nilai semasa,
 This is the number of the last created transaction with this prefix,Ini ialah bilangan transaksi terakhir yang dibuat dengan awalan ini,
 Update Series Number,Update Siri Nombor,
 Quotation Lost Reason,Sebut Harga Hilang Akal,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise lawatan Reorder Level,
 Lead Details,Butiran Lead,
 Lead Owner Efficiency,Lead Owner Kecekapan,
-Loan Repayment and Closure,Bayaran Balik dan Penutupan Pinjaman,
-Loan Security Status,Status Keselamatan Pinjaman,
 Lost Opportunity,Kesempatan Hilang,
 Maintenance Schedules,Jadual Penyelenggaraan,
 Material Requests for which Supplier Quotations are not created,Permintaan bahan yang mana Sebutharga Pembekal tidak dicipta,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Kiraan yang Disasarkan: {0},
 Payment Account is mandatory,Akaun Pembayaran adalah wajib,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Sekiranya diperiksa, jumlah penuh akan dikurangkan dari pendapatan bercukai sebelum mengira cukai pendapatan tanpa pengakuan atau penyerahan bukti.",
-Disbursement Details,Butiran Pembayaran,
 Material Request Warehouse,Gudang Permintaan Bahan,
 Select warehouse for material requests,Pilih gudang untuk permintaan bahan,
 Transfer Materials For Warehouse {0},Pindahkan Bahan Untuk Gudang {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Bayar balik jumlah yang tidak dituntut dari gaji,
 Deduction from salary,Potongan gaji,
 Expired Leaves,Daun Tamat Tempoh,
-Reference No,No rujukan,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,Peratusan potongan rambut adalah peratusan perbezaan antara nilai pasaran dari Pinjaman Keselamatan dan nilai yang diberikan kepada Pinjaman Keselamatan tersebut ketika digunakan sebagai jaminan untuk pinjaman tersebut.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,Loan To Value Ratio menyatakan nisbah jumlah pinjaman dengan nilai cagaran yang dijanjikan. Kekurangan jaminan pinjaman akan dicetuskan jika ini jatuh di bawah nilai yang ditentukan untuk sebarang pinjaman,
 If this is not checked the loan by default will be considered as a Demand Loan,"Sekiranya ini tidak diperiksa, pinjaman secara lalai akan dianggap sebagai Permintaan Pinjaman",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Akaun ini digunakan untuk membuat pembayaran pinjaman dari peminjam dan juga mengeluarkan pinjaman kepada peminjam,
 This account is capital account which is used to allocate capital for loan disbursal account ,Akaun ini adalah akaun modal yang digunakan untuk memperuntukkan modal untuk akaun pengeluaran pinjaman,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Operasi {0} bukan milik perintah kerja {1},
 Print UOM after Quantity,Cetak UOM selepas Kuantiti,
 Set default {0} account for perpetual inventory for non stock items,Tetapkan akaun {0} lalai untuk inventori berterusan untuk item bukan stok,
-Loan Security {0} added multiple times,Pinjaman Keselamatan {0} ditambahkan berkali-kali,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Sekuriti Pinjaman dengan nisbah LTV yang berbeza tidak boleh dijaminkan dengan satu pinjaman,
-Qty or Amount is mandatory for loan security!,Kuantiti atau Jumlah adalah wajib untuk keselamatan pinjaman!,
-Only submittted unpledge requests can be approved,Hanya permintaan unpledge yang dihantar dapat disetujui,
-Interest Amount or Principal Amount is mandatory,Jumlah Faedah atau Amaun adalah wajib,
-Disbursed Amount cannot be greater than {0},Jumlah yang dikeluarkan tidak boleh lebih besar daripada {0},
-Row {0}: Loan Security {1} added multiple times,Baris {0}: Keselamatan Pinjaman {1} ditambahkan berkali-kali,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Baris # {0}: Item Anak tidak boleh menjadi Kumpulan Produk. Sila keluarkan Item {1} dan Simpan,
 Credit limit reached for customer {0},Had kredit dicapai untuk pelanggan {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Tidak dapat membuat Pelanggan secara automatik kerana bidang wajib berikut tidak ada:,
diff --git a/erpnext/translations/my.csv b/erpnext/translations/my.csv
index a66d7d2..3fe94f5 100644
--- a/erpnext/translations/my.csv
+++ b/erpnext/translations/my.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","သက်ဆိုင်ကုမ္ပဏီ SpA, ဒေသတွင်းလူမှုအဖွဲ့အစည်းသို့မဟုတ် SRL လျှင်",
 Applicable if the company is a limited liability company,ကုမ္ပဏီ၏ကန့်သတ်တာဝန်ယူမှုကုမ္ပဏီလျှင်သက်ဆိုင်သော,
 Applicable if the company is an Individual or a Proprietorship,သက်ဆိုင်ကုမ္ပဏီတစ်ခုတစ်ဦးချင်းသို့မဟုတ်တစ် Proprietorship လျှင်,
-Applicant,လြှောကျသူ,
-Applicant Type,လျှောက်ထားသူအမျိုးအစား,
 Application of Funds (Assets),ရန်ပုံငွေ၏လျှောက်လွှာ (ပိုင်ဆိုင်မှုများ),
 Application period cannot be across two allocation records,လျှောက်လွှာကာလနှစ်ခုခွဲဝေမှတ်တမ်းများကိုဖြတ်ပြီးမဖွစျနိုငျ,
 Application period cannot be outside leave allocation period,ပလီကေးရှင်းကာလအတွင်းပြင်ပမှာခွင့်ခွဲဝေကာလအတွင်းမဖွစျနိုငျ,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,ဖိုလီယိုနံပါတ်များနှင့်အတူရရှိနိုင်ပါသည်ရှယ်ယာရှင်များမှာများစာရင်း,
 Loading Payment System,Loading ငွေပေးချေစနစ်,
 Loan,ခြေးငှေ,
-Loan Amount cannot exceed Maximum Loan Amount of {0},ချေးငွေပမာဏ {0} အများဆုံးချေးငွေပမာဏထက်မပိုနိုင်,
-Loan Application,ချေးငွေလျှောက်လွှာ,
-Loan Management,ချေးငွေစီမံခန့်ခွဲမှု,
-Loan Repayment,ချေးငွေပြန်ဆပ်,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,ချေးငွေကို Start နေ့စွဲနှင့်ချေးငွေကာလအတွက်ငွေတောင်းခံလွှာလျှော့ကယ်ဖို့မဖြစ်မနေများမှာ,
 Loans (Liabilities),ချေးငွေများ (စိစစ်),
 Loans and Advances (Assets),ချေးငွေနှင့်ကြိုတင်ငွေ (ပိုင်ဆိုင်မှုများ),
@@ -1611,7 +1605,6 @@
 Monday,တနင်္လာနေ့,
 Monthly,လစဉ်,
 Monthly Distribution,လစဉ်ဖြန့်ဖြူး,
-Monthly Repayment Amount cannot be greater than Loan Amount,လစဉ်ပြန်ဆပ်ငွေပမာဏချေးငွေပမာဏထက် သာ. ကြီးမြတ်မဖွစျနိုငျ,
 More,နောက်ထပ်,
 More Information,More Information ကို,
 More than one selection for {0} not allowed,{0} ခွင့်မပြုဘို့တစ်ဦးထက်ပိုရွေးချယ်ရေး,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Pay ကို {0} {1},
 Payable,ပေးအပ်သော,
 Payable Account,ပေးဆောင်ရမည့်အကောင့်,
-Payable Amount,ပေးဆောင်ရမည့်ငွေပမာဏ,
 Payment,ငွေပေးချေမှုရမည့်,
 Payment Cancelled. Please check your GoCardless Account for more details,ငွေပေးချေမှုရမည့်ပယ်ဖျက်ထားသည်မှာ။ အသေးစိတ်အဘို့သင့် GoCardless အကောင့်စစ်ဆေးပါ,
 Payment Confirmation,ငွေပေးချေမှုရမည့်အတည်ပြုချက်,
-Payment Date,ငွေပေးချေသည့်နေ့ရက်,
 Payment Days,ငွေပေးချေမှုရမည့်ကာလသ,
 Payment Document,ငွေပေးချေမှုရမည့်စာရွက်စာတမ်း,
 Payment Due Date,ငွေပေးချေမှုရမည့်ကြောင့်နေ့စွဲ,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,ဝယ်ယူခြင်းပြေစာပထမဦးဆုံးရိုက်ထည့်ပေးပါ,
 Please enter Receipt Document,ငွေလက်ခံပြေစာစာရွက်စာတမ်းရိုက်ထည့်ပေးပါ,
 Please enter Reference date,ကိုးကားစရာနေ့စွဲကိုရိုက်ထည့်ပေးပါ,
-Please enter Repayment Periods,ပြန်ဆပ်ကာလကိုရိုက်ထည့်ပေးပါ,
 Please enter Reqd by Date,နေ့စွဲခြင်းဖြင့် Reqd ရိုက်ထည့်ပေးပါ,
 Please enter Woocommerce Server URL,Woocommerce ဆာဗာ URL ရိုက်ထည့်ပေးပါ,
 Please enter Write Off Account,အကောင့်ပိတ်ရေးထားရိုက်ထည့်ပေးပါ,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,မိဘကုန်ကျစရိတ်အလယ်ဗဟိုကိုရိုက်ထည့်ပေးပါ,
 Please enter quantity for Item {0},Item {0} သည်အရေအတွက်ရိုက်ထည့်ပေးပါ,
 Please enter relieving date.,နေ့စွဲ relieving ရိုက်ထည့်ပေးပါ။,
-Please enter repayment Amount,ပြန်ဆပ်ငွေပမာဏရိုက်ထည့်ပေးပါ,
 Please enter valid Financial Year Start and End Dates,မမှန်ကန်ဘဏ္ဍာရေးတစ်နှစ်တာ Start ကိုနဲ့ End သက်ကရာဇျမဝင်ရ ကျေးဇူးပြု.,
 Please enter valid email address,မှန်ကန်သော email address ကိုရိုက်ထည့်ပေးပါ,
 Please enter {0} first,ပထမဦးဆုံး {0} မဝင်ရ ကျေးဇူးပြု.,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,စျေးနှုန်းနည်းဥပဒေများနောက်ထပ်အရေအတွက်ပေါ် အခြေခံ. filtered နေကြပါတယ်။,
 Primary Address Details,မူလတန်းလိပ်စာအသေးစိတ်,
 Primary Contact Details,မူလတန်းဆက်သွယ်ပါအသေးစိတ်,
-Principal Amount,ကျောင်းအုပ်ကြီးငွေပမာဏ,
 Print Format,ပုံနှိပ်စီစဉ်ဖွဲ့စည်းမှုပုံစံ,
 Print IRS 1099 Forms,IRS ကို 1099 Form များ Print,
 Print Report Card,ပုံနှိပ်ပါအစီရင်ခံစာကဒ်,
@@ -2550,7 +2538,6 @@
 Sample Collection,နမူနာစုစည်းမှု,
 Sample quantity {0} cannot be more than received quantity {1},နမူနာအရေအတွက် {0} လက်ခံရရှိအရေအတွက် {1} ထက်ပိုမဖွစျနိုငျ,
 Sanctioned,ဒဏ်ခတ်အရေးယူ,
-Sanctioned Amount,ပိတ်ဆို့ငွေပမာဏ,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ပိတ်ဆို့ငွေပမာဏ Row {0} အတွက်တောင်းဆိုမှုများငွေပမာဏထက် သာ. ကြီးမြတ်မဖြစ်နိုင်။,
 Sand,သဲ,
 Saturday,စနေနေ့,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} ပြီးသားမိဘလုပ်ထုံးလုပ်နည်း {1} ရှိပါတယ်။,
 API,API ကို,
 Annual,နှစ်ပတ်လည်,
-Approved,Approved,
 Change,ပွောငျးလဲခွငျး,
 Contact Email,ဆက်သွယ်ရန်အီးမေးလ်,
 Export Type,ပို့ကုန်အမျိုးအစား,
@@ -3571,7 +3557,6 @@
 Account Value,အကောင့်တန်ဖိုး,
 Account is mandatory to get payment entries,ငွေပေးချေမှု entries တွေကိုရရန်အကောင့်မဖြစ်မနေဖြစ်ပါတယ်,
 Account is not set for the dashboard chart {0},ဒိုင်ခွက်ဇယားအတွက်အကောင့်ကိုသတ်မှတ်မထားပါ {0},
-Account {0} does not belong to company {1},အကောင့်ကို {0} ကုမ္ပဏီ {1} ပိုင်ပါဘူး,
 Account {0} does not exists in the dashboard chart {1},အကောင့် {0} သည်ဒိုင်ခွက်ဇယားတွင်မရှိပါ။ {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,အကောင့်: <b>{0}</b> တိုးတက်မှုအတွက်မြို့တော်သူ Work သည်နှင့်ဂျာနယ် Entry အားဖြင့် update လုပ်မရနိုငျ,
 Account: {0} is not permitted under Payment Entry,အကောင့်: {0} ငွေပေးချေမှုရမည့် Entry အောက်မှာအခွင့်မရှိကြ,
@@ -3582,7 +3567,6 @@
 Activity,လုပ်ဆောင်ချက်,
 Add / Manage Email Accounts.,Add / အီးမေးလ် Manage Accounts ကို။,
 Add Child,ကလေး Add,
-Add Loan Security,ချေးငွေလုံခြုံရေးထည့်ပါ,
 Add Multiple,အကွိမျမြားစှာ Add,
 Add Participants,သင်တန်းသားများ Add,
 Add to Featured Item,အသားပေးပစ္စည်းပေါင်းထည့်ရန်,
@@ -3593,15 +3577,12 @@
 Address Line 1,လိပ်စာစာကြောင်း 1,
 Addresses,လိပ်စာများ,
 Admission End Date should be greater than Admission Start Date.,၀ င်ခွင့်အဆုံးနေ့သည် ၀ င်ခွင့်စတင်သည့်နေ့ထက်ကြီးရမည်။,
-Against Loan,ချေးငွေဆန့်ကျင်,
-Against Loan:,ချေးငွေ,
 All,အားလုံး,
 All bank transactions have been created,အားလုံးဘဏ်ငွေကြေးလွှဲပြောင်းမှုမှာဖန်တီးခဲ့ကြ,
 All the depreciations has been booked,လူအားလုံးတို့သည်တန်ဖိုးကြိုတင်ဘွတ်ကင်ထားပြီး,
 Allocation Expired!,ခွဲဝေ Expired!,
 Allow Resetting Service Level Agreement from Support Settings.,ပံ့ပိုးမှုက Settings ထဲကနေပြန်စခြင်းသည်ဝန်ဆောင်မှုအဆင့်သဘောတူညီချက် Allow ။,
 Amount of {0} is required for Loan closure,ချေးငွေကိုပိတ်ပစ်ရန် {0} ပမာဏလိုအပ်သည်,
-Amount paid cannot be zero,ပေးဆောင်သည့်ပမာဏသည်သုညမဖြစ်နိုင်ပါ,
 Applied Coupon Code,လျှောက်ထားကူပွန် Code ကို,
 Apply Coupon Code,ကူပွန် Code ကို Apply,
 Appointment Booking,ရက်ချိန်းယူခြင်းကြိုတင်စာရင်းသွင်းခြင်း,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,ယာဉ်မောင်းလိပ်စာပျောက်ဆုံးနေတာဖြစ်ပါတယ်အဖြစ်ဆိုက်ရောက်အချိန် calculate ကိုမပေးနိုငျပါ။,
 Cannot Optimize Route as Driver Address is Missing.,ယာဉ်မောင်းလိပ်စာပျောက်ဆုံးနေကြောင့်လမ်းကြောင်းအကောင်းဆုံးလုပ်ဆောင်ပါလို့မရပါဘူး။,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,{0} ကိုမှီခိုနေရတဲ့အလုပ် {1} အနေဖြင့်ပြီးပြည့်စုံသောအလုပ်ကိုမပြီးနိူင်ပါ။,
-Cannot create loan until application is approved,လျှောက်လွှာကိုအတည်ပြုသည်အထိချေးငွေကို ဖန်တီး၍ မရပါ,
 Cannot find a matching Item. Please select some other value for {0}.,တစ်ကိုက်ညီတဲ့ပစ္စည်းရှာမတှေ့နိုငျပါသညျ။ {0} များအတွက်အချို့သောအခြား value ကို select လုပ်ပါကိုကျေးဇူးတင်ပါ။,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings",{2} ထက်ပိုသောအတန်း {1} တွင် Item {0} အတွက် overbill မလုပ်နိုင်ပါ။ အလွန်အကျွံငွေပေးချေခြင်းကိုခွင့်ပြုရန် ကျေးဇူးပြု၍ Accounts Settings တွင်ခွင့်ပြုပါ,
 "Capacity Planning Error, planned start time can not be same as end time",စွမ်းဆောင်ရည်မြှင့်တင်ရေးအမှား၊ စတင်ရန်စီစဉ်ထားချိန်သည်အဆုံးသတ်ကာလနှင့်မတူနိုင်ပါ,
@@ -3812,20 +3792,9 @@
 Less Than Amount,ငွေပမာဏသန်းလျော့နည်း,
 Liabilities,liabilities,
 Loading...,Loading ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,ချေးငွေပမာဏသည်အဆိုပြုထားသောအာမခံများအရအများဆုံးချေးငွေပမာဏ {0} ထက်ပိုသည်,
 Loan Applications from customers and employees.,ဖောက်သည်များနှင့် ၀ န်ထမ်းများထံမှချေးငွေလျှောက်လွှာများ။,
-Loan Disbursement,ချေးငွေထုတ်ပေးမှု,
 Loan Processes,ချေးငွေလုပ်ငန်းစဉ်,
-Loan Security,ချေးငွေလုံခြုံရေး,
-Loan Security Pledge,ချေးငွေလုံခြုံရေးအပေါင်,
-Loan Security Pledge Created : {0},ချေးငွေလုံခြုံရေးအပေါင်ခံ: {0},
-Loan Security Price,ချေးငွေလုံခြုံရေးစျေးနှုန်း,
-Loan Security Price overlapping with {0},{0} နဲ့ချေးငွေလုံခြုံရေးစျေးနှင့်ထပ်နေသည်,
-Loan Security Unpledge,ချေးငွေလုံခြုံရေး Unpledge,
-Loan Security Value,ချေးငွေလုံခြုံရေးတန်ဖိုး,
 Loan Type for interest and penalty rates,အတိုးနှုန်းနှင့်ပြစ်ဒဏ်များအတွက်ချေးငွေအမျိုးအစား,
-Loan amount cannot be greater than {0},ချေးငွေပမာဏ {0} ထက်မကြီးနိုင်ပါ,
-Loan is mandatory,ချေးငွေမဖြစ်မနေဖြစ်ပါတယ်,
 Loans,ချေးငွေများ,
 Loans provided to customers and employees.,ဖောက်သည်များနှင့် ၀ န်ထမ်းများအားချေးငွေများ,
 Location,တည်ရှိမှု,
@@ -3894,7 +3863,6 @@
 Pay,အခပေး,
 Payment Document Type,ငွေပေးချေမှုရမည့်စာရွက်စာတမ်းအမျိုးအစား,
 Payment Name,ငွေပေးချေမှုရမည့်အမည်,
-Penalty Amount,ပြစ်ဒဏ်ပမာဏ,
 Pending,လာမည့်,
 Performance,performance,
 Period based On,ကာလတွင်အခြေစိုက်,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,ကျေးဇူးပြု၍ ဤအရာကိုတည်းဖြတ်ရန် Marketplace အသုံးပြုသူအဖြစ်ဝင်ရောက်ပါ။,
 Please login as a Marketplace User to report this item.,ဤအကြောင်းအရာအားသတင်းပို့ဖို့ Marketplace အသုံးပြုသူအဖြစ် login ပေးပါ။,
 Please select <b>Template Type</b> to download template,ကျေးဇူးပြုပြီး <b>template type</b> ကို download လုပ်ရန် <b>Template Type</b> ကိုရွေးချယ်ပါ,
-Please select Applicant Type first,ကျေးဇူးပြု၍ လျှောက်လွှာပုံစံကိုအရင်ရွေးပါ,
 Please select Customer first,ပထမဦးဆုံးဖောက်သည်ကို select ပေးပါ,
 Please select Item Code first,ကျေးဇူးပြု၍ item Code ကိုအရင်ရွေးပါ,
-Please select Loan Type for company {0},ကျေးဇူးပြု၍ ကုမ္ပဏီအတွက်ချေးငွေအမျိုးအစားကိုရွေးပါ {0},
 Please select a Delivery Note,တစ်ဦး Delivery မှတ်ချက်ကို select ပေးပါ,
 Please select a Sales Person for item: {0},ကျေးဇူးပြု၍ ပစ္စည်းအတွက်အရောင်းကိုယ်စားလှယ်ကိုရွေးချယ်ပါ။ {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',အခြားပေးချေမှုနည်းလမ်းကိုရွေးချယ်ပါ။ အစင်းငွေကြေးအရောင်းအထောကျပံ့ပေးမထားဘူး &#39;&#39; {0} &#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},ကုမ္ပဏီ {0} ဘို့ကျေးဇူးပြုပြီး setup ကိုတစ်ဦးက default ဘဏ်အကောင့်,
 Please specify,သတ်မှတ် ကျေးဇူးပြု.,
 Please specify a {0},ကျေးဇူးပြုပြီး {0} ကိုသတ်မှတ်ပေးပါ။,lead
-Pledge Status,ပေါင်အခြေအနေ,
-Pledge Time,အချိန်ပေးပါ,
 Printing,ပုံနှိပ်ခြင်း,
 Priority,ဦးစားပေး,
 Priority has been changed to {0}.,ဦးစားပေး {0} သို့ပြောင်းလဲခဲ့သည်။,
@@ -3944,7 +3908,6 @@
 Processing XML Files,XML ဖိုင်များ processing,
 Profitability,အမြတ်အစွန်း,
 Project,စီမံကိန်း,
-Proposed Pledges are mandatory for secured Loans,အဆိုပြုထား Pledges လုံခြုံချေးငွေများအတွက်မဖြစ်မနေဖြစ်ကြသည်,
 Provide the academic year and set the starting and ending date.,ယင်းပညာသင်နှစ်တွင်ပေးနှင့်စတင်နှင့်အဆုံးသတ်ရက်စွဲထားကြ၏။,
 Public token is missing for this bank,ပြည်သူ့လက္ခဏာသက်သေဤဘဏ်အဘို့အပျောက်နေ,
 Publish,ပုံနှိပ်ထုတ်ဝေ,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,အရစ်ကျငွေလက်ခံပြေစာနမူနာ enabled ဖြစ်ပါတယ်သိမ်းဆည်းထားရသောအဘို့မဆိုပစ္စည်းမရှိပါ။,
 Purchase Return,အရစ်ကျသို့ပြန်သွားသည်,
 Qty of Finished Goods Item,ပြီးဆုံးကုန်စည်ပစ္စည်းများ၏အရည်အတွက်,
-Qty or Amount is mandatroy for loan security,အရေအတွက်သို့မဟုတ်ပမာဏသည်ချေးငွေလုံခြုံရေးအတွက် mandatroy ဖြစ်သည်,
 Quality Inspection required for Item {0} to submit,Item {0} တင်ပြရန်လိုအပ်အရည်အသွေးစစ်ဆေးရေး,
 Quantity to Manufacture,ထုတ်လုပ်ရန်ပမာဏ,
 Quantity to Manufacture can not be zero for the operation {0},ထုတ်လုပ်မှုပမာဏသည်စစ်ဆင်ရေးအတွက်သုညမဖြစ်နိုင်ပါ။ {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,ကယ်ဆယ်ရေးနေ့သည် ၀ င်ရောက်သည့်နေ့ထက်ကြီးသည်သို့မဟုတ်တူညီရမည်,
 Rename,Rename,
 Rename Not Allowed,အမည်ပြောင်းခွင့်မပြု,
-Repayment Method is mandatory for term loans,ချေးငွေသက်တမ်းကိုပြန်ဆပ်ရန်နည်းလမ်းသည်မဖြစ်မနေလိုအပ်သည်,
-Repayment Start Date is mandatory for term loans,ငွေပြန်အမ်းခြင်းရက်သည်ချေးငွေများအတွက်မဖြစ်မနေလိုအပ်သည်,
 Report Item,အစီရင်ခံစာ Item,
 Report this Item,ဤအကြောင်းအရာအားသတင်းပို့,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,ကန်ထရိုက်စာချုပ်ချုပ်ဆိုရန်အတွက်ကြိုတင်မှာယူထားသောပမာဏ - ကန်ထရိုက်စာချုပ်ချုပ်ဆိုထားသောပစ္စည်းများထုတ်လုပ်ရန်ကုန်ကြမ်းအရေအတွက်။,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},row ({0}): {1} ပြီးသား {2} အတွက်လျှော့နေသည်,
 Rows Added in {0},{0} အတွက် Added အတန်း,
 Rows Removed in {0},{0} အတွက်ဖယ်ရှားပြီးအတန်း,
-Sanctioned Amount limit crossed for {0} {1},{0} {1} အတွက်ဖြတ်ကျော်ထားသောကန့်သတ်ပမာဏကိုကန့်သတ်,
-Sanctioned Loan Amount already exists for {0} against company {1},ခွင့်ပြုထားသောချေးငွေပမာဏသည်ကုမ္ပဏီ {1} နှင့် {0} အတွက်ရှိပြီးဖြစ်သည်။,
 Save,Save ကို,
 Save Item,Item Save,
 Saved Items,ကယ်တင်ခြင်းသို့ရောက်သောပစ္စည်းများ,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,အသုံးပြုသူ {0} ပိတ်ထားတယ်,
 Users and Permissions,အသုံးပြုသူများနှင့်ခွင့်ပြုချက်,
 Vacancies cannot be lower than the current openings,နေရာလွတ်ဟာလက်ရှိအဖွင့်ထက်နိမ့်မဖွစျနိုငျ,
-Valid From Time must be lesser than Valid Upto Time.,Time From Valid သည် Upto Time ထက်နည်းရမည်။,
 Valuation Rate required for Item {0} at row {1},အတန်း {1} မှာအရာဝတ္ထု {0} များအတွက်လိုအပ်သောအဘိုးပြတ်နှုန်း,
 Values Out Of Sync,ထပ်တူပြုခြင်းထဲကတန်ဖိုးများ,
 Vehicle Type is required if Mode of Transport is Road,ပို့ဆောင်ရေး Mode ကိုလမ်းမပါလျှင်ယာဉ်အမျိုးအစားလိုအပ်ပါသည်,
@@ -4211,7 +4168,6 @@
 Add to Cart,စျေးဝယ်ခြင်းထဲသို့ထည့်သည်,
 Days Since Last Order,နောက်ဆုံးအမိန့်အပြီးရက်များ,
 In Stock,ကုန်ပစ္စည်းလက်ဝယ်ရှိ,
-Loan Amount is mandatory,ချေးငွေပမာဏမဖြစ်မနေဖြစ်ပါတယ်,
 Mode Of Payment,ငွေပေးချေမှုရမည့်၏ Mode ကို,
 No students Found,ကျောင်းသားများရှာမတွေ့ပါ,
 Not in Stock,မစတော့အိတ်အတွက်,
@@ -4240,7 +4196,6 @@
 Group by,Group မှဖြင့်,
 In stock,ကုန်ပစ္စည်းလက်ဝယ်ရှိ,
 Item name,item အမည်,
-Loan amount is mandatory,ချေးငွေပမာဏမဖြစ်မနေဖြစ်ပါတယ်,
 Minimum Qty,နိမ့်ဆုံးအရည်အတွက်,
 More details,ပိုများသောအသေးစိတ်,
 Nature of Supplies,ထောက်ပံ့ကုန်၏သဘောသဘာဝ,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,စုစုပေါင်း Completed အရည်အတွက်,
 Qty to Manufacture,ထုတ်လုပ်ခြင်းရန် Qty,
 Repay From Salary can be selected only for term loans,လစာမှငွေပြန်အမ်းငွေကိုကာလရှည်ချေးငွေအတွက်သာရွေးချယ်နိုင်သည်,
-No valid Loan Security Price found for {0},{0} အတွက်ခိုင်လုံသောချေးငွေလုံခြုံရေးစျေးနှုန်းမတွေ့ပါ။,
-Loan Account and Payment Account cannot be same,ချေးငွေအကောင့်နှင့်ငွေပေးချေမှုအကောင့်အတူတူမဖြစ်နိုင်ပါ,
-Loan Security Pledge can only be created for secured loans,ချေးငွေလုံခြုံရေးအပေါင်ကိုလုံခြုံသောချေးငွေများအတွက်သာဖန်တီးနိုင်သည်,
 Social Media Campaigns,လူမှုမီဒီယာစည်းရုံးလှုံ့ဆော်ရေး,
 From Date can not be greater than To Date,နေ့မှစ၍ ရက်စွဲသည်ယနေ့ထက် ပို၍ မကြီးနိုင်ပါ,
 Please set a Customer linked to the Patient,ကျေးဇူးပြုပြီးလူနာနှင့်ဆက်သွယ်ထားသောဖောက်သည်တစ် ဦး ကိုသတ်မှတ်ပေးပါ,
@@ -6437,7 +6389,6 @@
 HR User,HR အသုံးပြုသူတို့၏,
 Appointment Letter,ရက်ချိန်းပေးစာ,
 Job Applicant,ယောဘသည်လျှောက်ထားသူ,
-Applicant Name,လျှောက်ထားသူအမည်,
 Appointment Date,ရက်ချိန်းရက်,
 Appointment Letter Template,ရက်ချိန်းပေးစာပုံစံ,
 Body,ကိုယ်ခန္ဓာ,
@@ -7059,99 +7010,12 @@
 Sync in Progress,တိုးတက်မှုအတွက် Sync ကို,
 Hub Seller Name,hub ရောင်းသူအမည်,
 Custom Data,စိတ်တိုင်းကျမှာ Data,
-Member,အဖှဲ့ဝငျ,
-Partially Disbursed,တစ်စိတ်တစ်ပိုင်းထုတ်ချေး,
-Loan Closure Requested,ချေးငွေပိတ်သိမ်းတောင်းဆိုခဲ့သည်,
 Repay From Salary,လစာထဲကနေပြန်ဆပ်,
-Loan Details,ချေးငွေအသေးစိတ်,
-Loan Type,ချေးငွေအမျိုးအစား,
-Loan Amount,ချေးငွေပမာဏ,
-Is Secured Loan,လုံခြုံသောချေးငွေ,
-Rate of Interest (%) / Year,အကျိုးစီးပွား၏နှုန်းမှာ (%) / တစ်နှစ်တာ,
-Disbursement Date,ငွေပေးချေနေ့စွဲ,
-Disbursed Amount,ထုတ်ပေးငွေပမာဏ,
-Is Term Loan,Term ချေးငွေ,
-Repayment Method,ပြန်ဆပ် Method ကို,
-Repay Fixed Amount per Period,ကာလနှုန်း Fixed ငွေပမာဏပြန်ဆပ်,
-Repay Over Number of Periods,ကာလနံပါတ်ကျော်ပြန်ဆပ်,
-Repayment Period in Months,လထဲမှာပြန်ဆပ်ကာလ,
-Monthly Repayment Amount,လစဉ်ပြန်ဆပ်ငွေပမာဏ,
-Repayment Start Date,ပြန်ဆပ်ဖို့ Start နေ့စွဲ,
-Loan Security Details,ချေးငွေလုံခြုံရေးအသေးစိတ်,
-Maximum Loan Value,အများဆုံးချေးငွေတန်ဖိုး,
-Account Info,အကောင့်အင်ဖို,
-Loan Account,ချေးငွေအကောင့်,
-Interest Income Account,အကျိုးစီးပွားဝင်ငွေခွန်အကောင့်,
-Penalty Income Account,ပြစ်ဒဏ်ဝင်ငွေစာရင်း,
-Repayment Schedule,ပြန်ဆပ်ဇယား,
-Total Payable Amount,စုစုပေါင်းပေးရန်ငွေပမာဏ,
-Total Principal Paid,စုစုပေါင်းကျောင်းအုပ်ကြီး Paid,
-Total Interest Payable,စုစုပေါင်းအကျိုးစီးပွားပေးရန်,
-Total Amount Paid,စုစုပေါင်းငွေပမာဏ Paid,
-Loan Manager,ချေးငွေမန်နေဂျာ,
-Loan Info,ချေးငွေအင်ဖို,
-Rate of Interest,အကျိုးစီးပွား၏နှုန်းမှာ,
-Proposed Pledges,အဆိုပြုထား Pledges,
-Maximum Loan Amount,အများဆုံးချေးငွေပမာဏ,
-Repayment Info,ပြန်ဆပ်အင်ဖို,
-Total Payable Interest,စုစုပေါင်းပေးရန်စိတ်ဝင်စားမှု,
-Against Loan ,ချေးငွေဆန့်ကျင်,
-Loan Interest Accrual,ချေးငွေအတိုးနှုန်းတိုးပွားလာ,
-Amounts,ပမာဏ,
-Pending Principal Amount,ဆိုင်းငံ့ကျောင်းအုပ်ကြီးငွေပမာဏ,
-Payable Principal Amount,ပေးဆောင်ရမည့်ကျောင်းအုပ်ကြီးပမာဏ,
-Paid Principal Amount,ပေးဆောင်ကျောင်းအုပ်ကြီးငွေပမာဏ,
-Paid Interest Amount,Paid interest ပမာဏ,
-Process Loan Interest Accrual,လုပ်ငန်းစဉ်ချေးငွေအကျိုးစီးပွားတိုးပွားလာ,
-Repayment Schedule Name,ပြန်ပေးငွေဇယားအမည်,
 Regular Payment,ပုံမှန်ငွေပေးချေမှု,
 Loan Closure,ချေးငွေပိတ်သိမ်း,
-Payment Details,ငွေပေးချေမှုရမည့်အသေးစိတ်အကြောင်းအရာ,
-Interest Payable,ပေးဆောင်ရမည့်အတိုး,
-Amount Paid,Paid ငွေပမာဏ,
-Principal Amount Paid,ပေးဆောင်သည့်ငွေပမာဏ,
-Repayment Details,ပြန်ပေးငွေအသေးစိတ်,
-Loan Repayment Detail,ချေးငွေပြန်ဆပ်မှုအသေးစိတ်,
-Loan Security Name,ချေးငွေလုံခြုံရေးအမည်,
-Unit Of Measure,အတိုင်းအတာယူနစ်,
-Loan Security Code,ချေးငွေလုံခြုံရေး Code ကို,
-Loan Security Type,ချေးငွေလုံခြုံရေးအမျိုးအစား,
-Haircut %,ဆံပင်ပုံပုံ%,
-Loan  Details,ချေးငွေအသေးစိတ်,
-Unpledged,မင်္ဂလာပါ,
-Pledged,ကျေးဇူးတင်ပါတယ်,
-Partially Pledged,တစ်စိတ်တစ်ပိုင်း Pledged,
-Securities,လုံခြုံရေး,
-Total Security Value,စုစုပေါင်းလုံခြုံရေးတန်ဖိုး,
-Loan Security Shortfall,ချေးငွေလုံခြုံရေးလိုအပ်ချက်,
-Loan ,ခြေးငှေ,
-Shortfall Time,အချိန်တို,
-America/New_York,အမေရိက / နယူးယောက်,
-Shortfall Amount,လိုအပ်ချက်ပမာဏ,
-Security Value ,လုံခြုံရေးတန်ဖိုး,
-Process Loan Security Shortfall,ချေးငွေလုံခြုံရေးလိုအပ်ချက်,
-Loan To Value Ratio,အချိုးအစားတန်ဖိုးကိုချေးငွေ,
-Unpledge Time,Unpledge အချိန်,
-Loan Name,ချေးငွေအမည်,
 Rate of Interest (%) Yearly,အကျိုးစီးပွား၏နှုန်းမှာ (%) နှစ်အလိုက်,
-Penalty Interest Rate (%) Per Day,တစ်နေ့လျှင်ပြစ်ဒဏ်အတိုးနှုန်း (%),
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,နှောင့်နှေးသောအကြွေးပြန်ဆပ်သည့်အချိန်တွင်ပင်စင်အတိုးနှုန်းကိုဆိုင်းငံ့အတိုးနှုန်းအပေါ်နေ့စဉ်ပေးဆောင်ရသည်,
-Grace Period in Days,နေ့ရက်ကာလ၌ကျေးဇူးတော်ရှိစေသတည်းကာလ,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,ချေးငွေပြန်ဆပ်ရန်နှောင့်နှေးလျှင်အရေးယူမည့်နေ့အထိရက်အရေအတွက်,
-Pledge,ပေါင်,
-Post Haircut Amount,ဆံပင်ညှပ်ပမာဏ,
-Process Type,လုပ်ငန်းစဉ်အမျိုးအစား,
-Update Time,အချိန်အသစ်ပြောင်းပါ,
-Proposed Pledge,အဆိုပြုထားအပေါင်,
-Total Payment,စုစုပေါင်းငွေပေးချေမှုရမည့်,
-Balance Loan Amount,balance ချေးငွေပမာဏ,
-Is Accrued,ရှိပါသည်,
 Salary Slip Loan,လစာစလစ်ဖြတ်ပိုင်းပုံစံချေးငွေ,
 Loan Repayment Entry,ချေးငွေပြန်ပေးရေး Entry,
-Sanctioned Loan Amount,ခွင့်ပြုထားသောချေးငွေပမာဏ,
-Sanctioned Amount Limit,ငွေပမာဏကန့်သတ်,
-Unpledge,မင်္ဂလာပါ,
-Haircut,ဆံပင်ညှပ်,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,ဇယား Generate,
 Schedules,အချိန်ဇယားများ,
@@ -7885,7 +7749,6 @@
 Update Series,Update ကိုစီးရီး,
 Change the starting / current sequence number of an existing series.,ရှိပြီးသားစီးရီး၏စတင်ကာ / လက်ရှိ sequence number ကိုပြောင်းပါ။,
 Prefix,ရှေ့ဆကျတှဲ,
-Current Value,လက်ရှိ Value တစ်ခု,
 This is the number of the last created transaction with this prefix,ဤရှေ့ဆက်အတူပြီးခဲ့သည့်နေသူများကဖန်တီးအရောင်းအဝယ်အရေအတွက်သည်,
 Update Series Number,Update ကိုစီးရီးနံပါတ်,
 Quotation Lost Reason,စျေးနှုန်းပျောက်ဆုံးသွားသောအကြောင်းရင်း,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise Reorder အဆင့်အကြံပြုထား,
 Lead Details,ခဲအသေးစိတ်ကို,
 Lead Owner Efficiency,ခဲပိုင်ရှင်စွမ်းရည်,
-Loan Repayment and Closure,ချေးငွေပြန်ဆပ်ခြင်းနှင့်ပိတ်သိမ်းခြင်း,
-Loan Security Status,ချေးငွေလုံခြုံရေးအခြေအနေ,
 Lost Opportunity,အခွင့်အလမ်းဆုံးရှုံးခဲ့ရ,
 Maintenance Schedules,ပြုပြင်ထိန်းသိမ်းမှုအချိန်ဇယား,
 Material Requests for which Supplier Quotations are not created,ပေးသွင်းကိုးကားချက်များကိုဖန်ဆင်းသည်မဟုတ်သော material တောင်းဆို,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},လျာထားသောအရေအတွက် - {0},
 Payment Account is mandatory,ငွေပေးချေမှုအကောင့်မဖြစ်မနေဖြစ်ပါတယ်,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.",စစ်ဆေးမှုရှိပါကကြေငြာချက်သို့မဟုတ်သက်သေအထောက်အထားမပါဘဲ ၀ င်ငွေခွန်ကိုမတွက်ချက်မီအခွန် ၀ င်ငွေမှနုတ်ယူလိမ့်မည်။,
-Disbursement Details,ငွေပေးချေမှုအသေးစိတ်,
 Material Request Warehouse,ပစ္စည်းတောင်းခံဂိုဒေါင်,
 Select warehouse for material requests,ပစ္စည်းတောင်းဆိုမှုများအတွက်ဂိုဒေါင်ကိုရွေးပါ,
 Transfer Materials For Warehouse {0},ဂိုဒေါင်အတွက်လွှဲပြောင်းပစ္စည်းများ {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,မတောင်းဆိုသောငွေကိုလစာမှပြန်ပေးပါ,
 Deduction from salary,လစာမှနှုတ်ယူခြင်း,
 Expired Leaves,သက်တမ်းကုန်ဆုံးသောအရွက်,
-Reference No,ကိုးကားစရာနံပါတ်,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,ဆံပင်ညှပ်နှုန်းသည်ချေးငွေအာမခံ၏စျေးကွက်တန်ဖိုးနှင့်ချေးငွေအတွက်အပေါင်ပစ္စည်းအဖြစ်အသုံးပြုသောချေးငွေလုံခြုံရေးမှဖော်ပြသောတန်ဖိုးအကြားရာခိုင်နှုန်းကွာခြားချက်ဖြစ်သည်။,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,ချေးငွေနှင့်တန်ဖိုးအချိုးသည်ချေးငွေပမာဏနှင့်ကတိထားရာလုံခြုံရေးတန်ဖိုးနှင့်ဖော်ပြသည်။ အကယ်၍ ၎င်းသည်မည်သည့်ချေးငွေအတွက်မဆိုသတ်မှတ်ထားသောတန်ဖိုးအောက်ရောက်လျှင်ချေးငွေလုံခြုံရေးပြတ်လပ်မှုဖြစ်ပေါ်လာလိမ့်မည်,
 If this is not checked the loan by default will be considered as a Demand Loan,အကယ်၍ ၎င်းကိုမစစ်ဆေးပါကပုံမှန်အားဖြင့်ချေးငွေကို Demand Loan အဖြစ်သတ်မှတ်မည်,
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,ဒီအကောင့်ကိုငွေချေးသူထံမှချေးငွေပြန်ဆပ်မှုကိုကြိုတင်မှာကြားပြီးငွေချေးသူမှချေးငွေများထုတ်ပေးသည်,
 This account is capital account which is used to allocate capital for loan disbursal account ,ဤအကောင့်သည်ငွေရင်းငွေစာရင်းဖြစ်သည်,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},စစ်ဆင်ရေး {0} သည်အလုပ်အော်ဒါ {1} နှင့်မသက်ဆိုင်ပါ။,
 Print UOM after Quantity,အရေအတွက်အပြီး UOM ကို print ထုတ်ပါ,
 Set default {0} account for perpetual inventory for non stock items,သိုမဟုတ်သောပစ္စည်းများအတွက်အမြဲတမ်းစာရင်းအတွက်ပုံမှန် {0} အကောင့်ကိုသတ်မှတ်ပါ,
-Loan Security {0} added multiple times,ချေးငွေလုံခြုံရေး {0} အကြိမ်ပေါင်းများစွာဆက်ပြောသည်,
-Loan Securities with different LTV ratio cannot be pledged against one loan,ကွဲပြားသော LTV အချိုးရှိချေးငွေအာမခံကိုချေးငွေတစ်ခုအားအပေါင်မပေးနိုင်ပါ,
-Qty or Amount is mandatory for loan security!,ငွေပမာဏသည်ချေးငွေအတွက်မဖြစ်မနေလိုအပ်သည်။,
-Only submittted unpledge requests can be approved,တင်ပြပြီး unpledge တောင်းဆိုမှုများကိုသာအတည်ပြုနိုင်သည်,
-Interest Amount or Principal Amount is mandatory,အတိုးနှုန်းသို့မဟုတ်ကျောင်းအုပ်ကြီးပမာဏသည်မဖြစ်မနေလိုအပ်သည်,
-Disbursed Amount cannot be greater than {0},ထုတ်ပေးသောငွေပမာဏသည် {0} ထက်မကြီးနိုင်ပါ,
-Row {0}: Loan Security {1} added multiple times,အတန်း {0}: ချေးငွေလုံခြုံရေး {1} အကြိမ်ပေါင်းများစွာဆက်ပြောသည်,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Row # {0} - ကလေးပစ္စည်းသည်ကုန်ပစ္စည်းအစုအဝေးမဖြစ်သင့်ပါ။ ကျေးဇူးပြု၍ ပစ္စည်း {1} ကိုဖယ်ရှား။ သိမ်းဆည်းပါ,
 Credit limit reached for customer {0},ဖောက်သည်အတွက်အကြွေးကန့်သတ် {0},
 Could not auto create Customer due to the following missing mandatory field(s):,အောက်ပါလိုအပ်သောဖြည့်စွက်ထားသောအကွက်များကြောင့်ဖောက်သည်ကိုအလိုအလျောက် ဖန်တီး၍ မရပါ။,
diff --git a/erpnext/translations/nl.csv b/erpnext/translations/nl.csv
index a13382c..bbea299 100644
--- a/erpnext/translations/nl.csv
+++ b/erpnext/translations/nl.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Van toepassing als het bedrijf SpA, SApA of SRL is",
 Applicable if the company is a limited liability company,Van toepassing als het bedrijf een naamloze vennootschap is,
 Applicable if the company is an Individual or a Proprietorship,Van toepassing als het bedrijf een individu of een eigenaar is,
-Applicant,aanvrager,
-Applicant Type,aanvrager Type,
 Application of Funds (Assets),Toepassing van kapitaal (Activa),
 Application period cannot be across two allocation records,De toepassingsperiode kan niet over twee toewijzingsrecords lopen,
 Application period cannot be outside leave allocation period,Aanvraagperiode kan buiten verlof toewijzingsperiode niet,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Lijst met beschikbare aandeelhouders met folionummers,
 Loading Payment System,Loading Payment System,
 Loan,Lening,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Geleende bedrag kan niet hoger zijn dan maximaal bedrag van de lening van {0},
-Loan Application,Aanvraag voor een lening,
-Loan Management,Leningbeheer,
-Loan Repayment,Lening terugbetaling,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,De startdatum en de uitleentermijn van de lening zijn verplicht om de korting op de factuur op te slaan,
 Loans (Liabilities),Leningen (Passiva),
 Loans and Advances (Assets),Leningen en voorschotten (activa),
@@ -1611,7 +1605,6 @@
 Monday,Maandag,
 Monthly,Maandelijks,
 Monthly Distribution,Maandelijkse verdeling,
-Monthly Repayment Amount cannot be greater than Loan Amount,Maandelijks te betalen bedrag kan niet groter zijn dan Leningen zijn,
 More,Meer,
 More Information,Meer informatie,
 More than one selection for {0} not allowed,Meer dan één selectie voor {0} niet toegestaan,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Betaal {0} {1},
 Payable,betaalbaar,
 Payable Account,Verschuldigd Account,
-Payable Amount,Te betalen bedrag,
 Payment,Betaling,
 Payment Cancelled. Please check your GoCardless Account for more details,Betaling geannuleerd. Controleer uw GoCardless-account voor meer informatie,
 Payment Confirmation,Betalingsbevestiging,
-Payment Date,Betaaldatum,
 Payment Days,Betaling dagen,
 Payment Document,betaling Document,
 Payment Due Date,Betaling Vervaldatum,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,Vul Kwitantie eerste,
 Please enter Receipt Document,Vul Ontvangst Document,
 Please enter Reference date,Vul Peildatum in,
-Please enter Repayment Periods,Vul de aflossingsperiode,
 Please enter Reqd by Date,Voer Reqd in op datum,
 Please enter Woocommerce Server URL,Voer de URL van de Woocommerce-server in,
 Please enter Write Off Account,Voer Afschrijvingenrekening in,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,Vul bovenliggende kostenplaats in,
 Please enter quantity for Item {0},Vul het aantal in voor artikel {0},
 Please enter relieving date.,Vul het verlichten datum .,
-Please enter repayment Amount,Vul hier terug te betalen bedrag,
 Please enter valid Financial Year Start and End Dates,Voer geldige boekjaar begin- en einddatum,
 Please enter valid email address,Vul alstublieft een geldig e-mailadres in,
 Please enter {0} first,Voer {0} eerste,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Prijsbepalingsregels worden verder gefilterd op basis van aantal.,
 Primary Address Details,Primaire adresgegevens,
 Primary Contact Details,Primaire contactgegevens,
-Principal Amount,hoofdsom,
 Print Format,Print Formaat,
 Print IRS 1099 Forms,Formulieren IRS 1099 afdrukken,
 Print Report Card,Rapportkaart afdrukken,
@@ -2550,7 +2538,6 @@
 Sample Collection,Sample Collection,
 Sample quantity {0} cannot be more than received quantity {1},Voorbeeldhoeveelheid {0} kan niet meer dan ontvangen aantal {1} zijn,
 Sanctioned,Sanctioned,
-Sanctioned Amount,Gesanctioneerde Bedrag,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Gesanctioneerde bedrag kan niet groter zijn dan Claim Bedrag in Row {0}.,
 Sand,Zand,
 Saturday,Zaterdag,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} heeft al een ouderprocedure {1}.,
 API,API,
 Annual,jaar-,
-Approved,Aangenomen,
 Change,Verandering,
 Contact Email,Contact E-mail,
 Export Type,Exporttype,
@@ -3571,7 +3557,6 @@
 Account Value,Accountwaarde,
 Account is mandatory to get payment entries,Account is verplicht om betalingsinvoer te krijgen,
 Account is not set for the dashboard chart {0},Account is niet ingesteld voor de dashboardgrafiek {0},
-Account {0} does not belong to company {1},Rekening {0} behoort niet tot Bedrijf {1},
 Account {0} does not exists in the dashboard chart {1},Account {0} bestaat niet in de dashboardgrafiek {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Account: <b>{0}</b> is hoofdletter onderhanden werk en kan niet worden bijgewerkt via journaalboeking,
 Account: {0} is not permitted under Payment Entry,Account: {0} is niet toegestaan onder Betaling invoeren,
@@ -3582,7 +3567,6 @@
 Activity,Activiteit,
 Add / Manage Email Accounts.,Toevoegen / Beheer op E-mailaccounts.,
 Add Child,Onderliggende toevoegen,
-Add Loan Security,Leningbeveiliging toevoegen,
 Add Multiple,Meerdere toevoegen,
 Add Participants,Voeg deelnemers toe,
 Add to Featured Item,Toevoegen aan aanbevolen item,
@@ -3593,15 +3577,12 @@
 Address Line 1,Adres Lijn 1,
 Addresses,Adressen,
 Admission End Date should be greater than Admission Start Date.,Einddatum van toelating moet groter zijn dan Startdatum van toelating.,
-Against Loan,Tegen lening,
-Against Loan:,Tegen lening:,
 All,Allemaal,
 All bank transactions have been created,Alle banktransacties zijn gecreëerd,
 All the depreciations has been booked,Alle afschrijvingen zijn geboekt,
 Allocation Expired!,Toekenning verlopen!,
 Allow Resetting Service Level Agreement from Support Settings.,Sta Resetten Service Level Agreement toe vanuit ondersteuningsinstellingen.,
 Amount of {0} is required for Loan closure,Een bedrag van {0} is vereist voor het afsluiten van de lening,
-Amount paid cannot be zero,Betaald bedrag kan niet nul zijn,
 Applied Coupon Code,Toegepaste couponcode,
 Apply Coupon Code,Couponcode toepassen,
 Appointment Booking,Afspraak boeken,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,Kan aankomsttijd niet berekenen omdat het adres van de bestuurder ontbreekt.,
 Cannot Optimize Route as Driver Address is Missing.,Kan route niet optimaliseren omdat het adres van de bestuurder ontbreekt.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Kan taak {0} niet voltooien omdat de afhankelijke taak {1} niet is voltooid / geannuleerd.,
-Cannot create loan until application is approved,Kan geen lening maken tot aanvraag is goedgekeurd,
 Cannot find a matching Item. Please select some other value for {0}.,Kan een bijpassende Item niet vinden. Selecteer een andere waarde voor {0}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Kan voor item {0} in rij {1} meer dan {2} niet teveel factureren. Als u overfactureren wilt toestaan, stelt u een toeslag in Accounts-instellingen in",
 "Capacity Planning Error, planned start time can not be same as end time","Capaciteitsplanningsfout, geplande starttijd kan niet hetzelfde zijn als eindtijd",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Minder dan bedrag,
 Liabilities,Passiva,
 Loading...,Laden ...,
-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,
 Loan Applications from customers and employees.,Leningaanvragen van klanten en werknemers.,
-Loan Disbursement,Uitbetaling van de lening,
 Loan Processes,Lening processen,
-Loan Security,Lening beveiliging,
-Loan Security Pledge,Lening zekerheid pandrecht,
-Loan Security Pledge Created : {0},Lening Security Pledge gecreëerd: {0},
-Loan Security Price,Lening beveiligingsprijs,
-Loan Security Price overlapping with {0},Lening Beveiliging Prijs overlapt met {0},
-Loan Security Unpledge,Lening beveiliging Unpledge,
-Loan Security Value,Lening beveiligingswaarde,
 Loan Type for interest and penalty rates,Type lening voor rente en boetes,
-Loan amount cannot be greater than {0},Leenbedrag kan niet groter zijn dan {0},
-Loan is mandatory,Lening is verplicht,
 Loans,Leningen,
 Loans provided to customers and employees.,Leningen verstrekt aan klanten en werknemers.,
 Location,Locatie,
@@ -3894,7 +3863,6 @@
 Pay,Betalen,
 Payment Document Type,Type betaaldocument,
 Payment Name,Betalingsnaam,
-Penalty Amount,Bedrag van de boete,
 Pending,In afwachting van,
 Performance,Prestatie,
 Period based On,Periode gebaseerd op,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,Meld u aan als Marketplace-gebruiker om dit item te bewerken.,
 Please login as a Marketplace User to report this item.,Meld u aan als Marketplace-gebruiker om dit item te melden.,
 Please select <b>Template Type</b> to download template,Selecteer het <b>sjabloontype</b> om de sjabloon te downloaden,
-Please select Applicant Type first,Selecteer eerst het Type aanvrager,
 Please select Customer first,Selecteer eerst Klant,
 Please select Item Code first,Selecteer eerst de artikelcode,
-Please select Loan Type for company {0},Selecteer het type lening voor bedrijf {0},
 Please select a Delivery Note,Selecteer een afleveringsbewijs,
 Please select a Sales Person for item: {0},Selecteer een verkoper voor artikel: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Selecteer een andere betaalmethode. Stripe ondersteunt geen transacties in valuta &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Stel een standaard bankrekening in voor bedrijf {0},
 Please specify,Specificeer,
 Please specify a {0},Geef een {0} op,lead
-Pledge Status,Pandstatus,
-Pledge Time,Belofte tijd,
 Printing,Afdrukken,
 Priority,Prioriteit,
 Priority has been changed to {0}.,Prioriteit is gewijzigd in {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,XML-bestanden verwerken,
 Profitability,Winstgevendheid,
 Project,Project,
-Proposed Pledges are mandatory for secured Loans,Voorgestelde toezeggingen zijn verplicht voor beveiligde leningen,
 Provide the academic year and set the starting and ending date.,Geef het academische jaar op en stel de begin- en einddatum in.,
 Public token is missing for this bank,Openbaar token ontbreekt voor deze bank,
 Publish,Publiceren,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Aankoopbewijs heeft geen artikel waarvoor Voorbeeld behouden is ingeschakeld.,
 Purchase Return,Inkoop Retour,
 Qty of Finished Goods Item,Aantal gereed product,
-Qty or Amount is mandatroy for loan security,Aantal of Bedrag is verplicht voor leningzekerheid,
 Quality Inspection required for Item {0} to submit,Kwaliteitsinspectie vereist om item {0} te verzenden,
 Quantity to Manufacture,Te produceren hoeveelheid,
 Quantity to Manufacture can not be zero for the operation {0},Te produceren hoeveelheid kan niet nul zijn voor de bewerking {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Ontlastingsdatum moet groter zijn dan of gelijk zijn aan de datum van toetreding,
 Rename,Hernoemen,
 Rename Not Allowed,Naam wijzigen niet toegestaan,
-Repayment Method is mandatory for term loans,Terugbetalingsmethode is verplicht voor termijnleningen,
-Repayment Start Date is mandatory for term loans,De startdatum van de terugbetaling is verplicht voor termijnleningen,
 Report Item,Meld item,
 Report this Item,Meld dit item,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Gereserveerde hoeveelheid voor uitbesteding: hoeveelheid grondstoffen om uitbestede artikelen te maken.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Rij ({0}): {1} is al verdisconteerd in {2},
 Rows Added in {0},Rijen toegevoegd in {0},
 Rows Removed in {0},Rijen verwijderd in {0},
-Sanctioned Amount limit crossed for {0} {1},Sanctielimiet overschreden voor {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},Er bestaat al een gesanctioneerd leningbedrag voor {0} tegen bedrijf {1},
 Save,bewaren,
 Save Item,Item opslaan,
 Saved Items,Opgeslagen items,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Gebruiker {0} is uitgeschakeld,
 Users and Permissions,Gebruikers en machtigingen,
 Vacancies cannot be lower than the current openings,Vacatures kunnen niet lager zijn dan de huidige openingen,
-Valid From Time must be lesser than Valid Upto Time.,Geldig vanaf tijd moet kleiner zijn dan Geldig tot tijd.,
 Valuation Rate required for Item {0} at row {1},Waarderingspercentage vereist voor artikel {0} op rij {1},
 Values Out Of Sync,Niet synchroon,
 Vehicle Type is required if Mode of Transport is Road,Voertuigtype is vereist als de wijze van vervoer weg is,
@@ -4211,7 +4168,6 @@
 Add to Cart,In winkelwagen,
 Days Since Last Order,Dagen sinds laatste bestelling,
 In Stock,Op voorraad,
-Loan Amount is mandatory,Leenbedrag is verplicht,
 Mode Of Payment,Wijze van betaling,
 No students Found,Geen studenten gevonden,
 Not in Stock,Niet op voorraad,
@@ -4240,7 +4196,6 @@
 Group by,Groeperen volgens,
 In stock,Op voorraad,
 Item name,Artikelnaam,
-Loan amount is mandatory,Leenbedrag is verplicht,
 Minimum Qty,Minimum aantal,
 More details,Meer details,
 Nature of Supplies,Aard van leveringen,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Totaal voltooid aantal,
 Qty to Manufacture,Aantal te produceren,
 Repay From Salary can be selected only for term loans,Terugbetaling van salaris kan alleen worden geselecteerd voor termijnleningen,
-No valid Loan Security Price found for {0},Geen geldige leningprijs gevonden voor {0},
-Loan Account and Payment Account cannot be same,Leningrekening en Betaalrekening kunnen niet hetzelfde zijn,
-Loan Security Pledge can only be created for secured loans,Een pandrecht op leningen kan alleen worden gecreëerd voor gedekte leningen,
 Social Media Campaigns,Campagnes op sociale media,
 From Date can not be greater than To Date,Vanaf datum kan niet groter zijn dan Tot datum,
 Please set a Customer linked to the Patient,Stel een klant in die is gekoppeld aan de patiënt,
@@ -6437,7 +6389,6 @@
 HR User,HR Gebruiker,
 Appointment Letter,Afspraakbrief,
 Job Applicant,Sollicitant,
-Applicant Name,Aanvrager Naam,
 Appointment Date,Benoemingsdatum,
 Appointment Letter Template,Afspraak briefsjabloon,
 Body,Lichaam,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Synchronisatie in uitvoering,
 Hub Seller Name,Hub verkopernaam,
 Custom Data,Aangepaste gegevens,
-Member,Lid,
-Partially Disbursed,gedeeltelijk uitbetaald,
-Loan Closure Requested,Sluiting van lening gevraagd,
 Repay From Salary,Terugbetalen van Loon,
-Loan Details,Loan Details,
-Loan Type,Loan Type,
-Loan Amount,Leenbedrag,
-Is Secured Loan,Is een beveiligde lening,
-Rate of Interest (%) / Year,Rate of Interest (%) / Jaar,
-Disbursement Date,uitbetaling Date,
-Disbursed Amount,Uitbetaald bedrag,
-Is Term Loan,Is termijnlening,
-Repayment Method,terugbetaling Method,
-Repay Fixed Amount per Period,Terugbetalen vast bedrag per periode,
-Repay Over Number of Periods,Terug te betalen gedurende een aantal perioden,
-Repayment Period in Months,Terugbetaling Periode in maanden,
-Monthly Repayment Amount,Maandelijks te betalen bedrag,
-Repayment Start Date,Startdatum aflossing,
-Loan Security Details,Lening Beveiligingsdetails,
-Maximum Loan Value,Maximale leenwaarde,
-Account Info,Account informatie,
-Loan Account,Lening account,
-Interest Income Account,Rentebaten Account,
-Penalty Income Account,Penalty Inkomen Account,
-Repayment Schedule,Terugbetalingsschema,
-Total Payable Amount,Totaal te betalen bedrag,
-Total Principal Paid,Totaal hoofdsom betaald,
-Total Interest Payable,Totaal te betalen rente,
-Total Amount Paid,Totaal betaald bedrag,
-Loan Manager,Lening Manager,
-Loan Info,Loan Info,
-Rate of Interest,Rentevoet,
-Proposed Pledges,Voorgestelde toezeggingen,
-Maximum Loan Amount,Maximum Leningen,
-Repayment Info,terugbetaling Info,
-Total Payable Interest,Totaal verschuldigde rente,
-Against Loan ,Tegen lening,
-Loan Interest Accrual,Opbouw rente,
-Amounts,bedragen,
-Pending Principal Amount,In afwachting van hoofdbedrag,
-Payable Principal Amount,Te betalen hoofdbedrag,
-Paid Principal Amount,Betaalde hoofdsom,
-Paid Interest Amount,Betaald rentebedrag,
-Process Loan Interest Accrual,Lening opbouw rente verwerken,
-Repayment Schedule Name,Naam aflossingsschema,
 Regular Payment,Reguliere betaling,
 Loan Closure,Lening sluiting,
-Payment Details,Betalingsdetails,
-Interest Payable,Verschuldigde rente,
-Amount Paid,Betaald bedrag,
-Principal Amount Paid,Hoofdsom betaald,
-Repayment Details,Betalingsgegevens,
-Loan Repayment Detail,Detail van terugbetaling van lening,
-Loan Security Name,Naam leningbeveiliging,
-Unit Of Measure,Maateenheid,
-Loan Security Code,Lening beveiligingscode,
-Loan Security Type,Type leningbeveiliging,
-Haircut %,Kapsel%,
-Loan  Details,Lening details,
-Unpledged,Unpledged,
-Pledged,verpande,
-Partially Pledged,Gedeeltelijk toegezegd,
-Securities,Effecten,
-Total Security Value,Totale beveiligingswaarde,
-Loan Security Shortfall,Lening Zekerheidstekort,
-Loan ,Lening,
-Shortfall Time,Tekorttijd,
-America/New_York,America / New_York,
-Shortfall Amount,Tekortbedrag,
-Security Value ,Beveiligingswaarde,
-Process Loan Security Shortfall,Proceslening Beveiligingstekort,
-Loan To Value Ratio,Lening tot waardeverhouding,
-Unpledge Time,Unpledge Time,
-Loan Name,lening Naam,
 Rate of Interest (%) Yearly,Rate of Interest (%) Jaarlijkse,
-Penalty Interest Rate (%) Per Day,Boeterente (%) per dag,
-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,
-Grace Period in Days,Grace periode in dagen,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,Aantal dagen vanaf de vervaldatum tot welke boete niet in rekening wordt gebracht in geval van vertraging bij de terugbetaling van de lening,
-Pledge,Belofte,
-Post Haircut Amount,Kapselbedrag posten,
-Process Type,Proces type,
-Update Time,Update tijd,
-Proposed Pledge,Voorgestelde belofte,
-Total Payment,Totale betaling,
-Balance Loan Amount,Balans Leningsbedrag,
-Is Accrued,Wordt opgebouwd,
 Salary Slip Loan,Salaris Sliplening,
 Loan Repayment Entry,Lening terugbetaling terugbetaling,
-Sanctioned Loan Amount,Sanctiebedrag,
-Sanctioned Amount Limit,Sanctiebedraglimiet,
-Unpledge,Unpledge,
-Haircut,haircut,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Genereer Plan,
 Schedules,Schema,
@@ -7885,7 +7749,6 @@
 Update Series,Reeksen bijwerken,
 Change the starting / current sequence number of an existing series.,Wijzig het start-/ huidige volgnummer van een bestaande serie.,
 Prefix,Voorvoegsel,
-Current Value,Huidige waarde,
 This is the number of the last created transaction with this prefix,Dit is het nummer van de laatst gemaakte transactie met dit voorvoegsel,
 Update Series Number,Serienummer bijwerken,
 Quotation Lost Reason,Reden verlies van Offerte,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Artikelgebaseerde Aanbevolen Bestelniveau,
 Lead Details,Lead Details,
 Lead Owner Efficiency,Leideneigenaar Efficiency,
-Loan Repayment and Closure,Terugbetaling en sluiting van leningen,
-Loan Security Status,Lening Beveiligingsstatus,
 Lost Opportunity,Kans verloren,
 Maintenance Schedules,Onderhoudsschema&#39;s,
 Material Requests for which Supplier Quotations are not created,Materiaal Aanvragen waarvoor Leverancier Offertes niet zijn gemaakt,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Getarget aantal: {0},
 Payment Account is mandatory,Betaalrekening is verplicht,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Indien aangevinkt, wordt het volledige bedrag afgetrokken van het belastbaar inkomen vóór de berekening van de inkomstenbelasting zonder dat enige aangifte of bewijs wordt ingediend.",
-Disbursement Details,Uitbetalingsgegevens,
 Material Request Warehouse,Materiaalaanvraag Magazijn,
 Select warehouse for material requests,Selecteer magazijn voor materiaalaanvragen,
 Transfer Materials For Warehouse {0},Materiaal overbrengen voor magazijn {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Betaal niet-opgeëiste bedrag terug van salaris,
 Deduction from salary,Inhouding op salaris,
 Expired Leaves,Verlopen bladeren,
-Reference No,referentienummer,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,Het haircutpercentage is het procentuele verschil tussen de marktwaarde van de lening en de waarde die aan die lening wordt toegeschreven wanneer deze wordt gebruikt als onderpand voor die lening.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,"Loan to Value Ratio geeft de verhouding weer tussen het geleende bedrag en de waarde van de in pand gegeven zekerheid. Als dit onder de voor een lening bepaalde waarde komt, ontstaat er een tekort aan lening",
 If this is not checked the loan by default will be considered as a Demand Loan,"Als dit niet is aangevinkt, wordt de lening standaard beschouwd als een opeisbare lening",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Deze rekening wordt gebruikt voor het boeken van aflossingen van leningen van de lener en ook voor het uitbetalen van leningen aan de lener,
 This account is capital account which is used to allocate capital for loan disbursal account ,Deze rekening is een kapitaalrekening die wordt gebruikt om kapitaal toe te wijzen voor het uitbetalen van leningen,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Bewerking {0} hoort niet bij de werkorder {1},
 Print UOM after Quantity,Druk maateenheid af na aantal,
 Set default {0} account for perpetual inventory for non stock items,Stel een standaard {0} -account in voor eeuwigdurende voorraad voor niet-voorraadartikelen,
-Loan Security {0} added multiple times,Leningzekerheid {0} meerdere keren toegevoegd,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Lening Effecten met verschillende LTV-ratio&#39;s kunnen niet worden verpand tegen één lening,
-Qty or Amount is mandatory for loan security!,Aantal of Bedrag is verplicht voor leenzekerheid!,
-Only submittted unpledge requests can be approved,Alleen ingediende verzoeken tot ongedaan maken van pand kunnen worden goedgekeurd,
-Interest Amount or Principal Amount is mandatory,Rentebedrag of hoofdsom is verplicht,
-Disbursed Amount cannot be greater than {0},Uitbetaald bedrag mag niet hoger zijn dan {0},
-Row {0}: Loan Security {1} added multiple times,Rij {0}: leningzekerheid {1} meerdere keren toegevoegd,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Rij # {0}: onderliggend item mag geen productbundel zijn. Verwijder item {1} en sla het op,
 Credit limit reached for customer {0},Kredietlimiet bereikt voor klant {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Klant kan niet automatisch worden aangemaakt vanwege de volgende ontbrekende verplichte velden:,
diff --git a/erpnext/translations/no.csv b/erpnext/translations/no.csv
index f08ae41..dbb32f3 100644
--- a/erpnext/translations/no.csv
+++ b/erpnext/translations/no.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Gjelder hvis selskapet er SpA, SApA eller SRL",
 Applicable if the company is a limited liability company,Gjelder hvis selskapet er et aksjeselskap,
 Applicable if the company is an Individual or a Proprietorship,Gjelder hvis selskapet er et individ eller et eierskap,
-Applicant,Søker,
-Applicant Type,Søker Type,
 Application of Funds (Assets),Anvendelse av midler (aktiva),
 Application period cannot be across two allocation records,Søknadsperioden kan ikke være over to allokeringsregister,
 Application period cannot be outside leave allocation period,Tegningsperioden kan ikke være utenfor permisjon tildeling periode,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Liste over tilgjengelige Aksjonærer med folio nummer,
 Loading Payment System,Laster inn betalingssystem,
 Loan,Låne,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Lånebeløp kan ikke overstige maksimalt lånebeløp på {0},
-Loan Application,Lånesøknad,
-Loan Management,Lånestyring,
-Loan Repayment,lån tilbakebetaling,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Lånets startdato og låneperiode er obligatorisk for å lagre fakturabatten,
 Loans (Liabilities),Lån (gjeld),
 Loans and Advances (Assets),Utlån (Eiendeler),
@@ -1611,7 +1605,6 @@
 Monday,Mandag,
 Monthly,Månedlig,
 Monthly Distribution,Månedlig Distribution,
-Monthly Repayment Amount cannot be greater than Loan Amount,Månedlig nedbetaling beløpet kan ikke være større enn Lånebeløp,
 More,Mer,
 More Information,Mer informasjon,
 More than one selection for {0} not allowed,Mer enn ett valg for {0} er ikke tillatt,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Betal {0} {1},
 Payable,Betales,
 Payable Account,Betales konto,
-Payable Amount,Betalbart beløp,
 Payment,Betaling,
 Payment Cancelled. Please check your GoCardless Account for more details,Betaling avbrutt. Vennligst sjekk din GoCardless-konto for mer informasjon,
 Payment Confirmation,Betalingsbekreftelse,
-Payment Date,Betalingsdato,
 Payment Days,Betalings Days,
 Payment Document,betaling Document,
 Payment Due Date,Betalingsfrist,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,Skriv inn Kjøpskvittering først,
 Please enter Receipt Document,Fyll inn Kvittering Document,
 Please enter Reference date,Skriv inn Reference dato,
-Please enter Repayment Periods,Fyll inn nedbetalingstid,
 Please enter Reqd by Date,Vennligst skriv inn Reqd etter dato,
 Please enter Woocommerce Server URL,Vennligst skriv inn Woocommerce Server URL,
 Please enter Write Off Account,Skriv inn avskrive konto,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,Skriv inn forelder kostnadssted,
 Please enter quantity for Item {0},Skriv inn antall for Element {0},
 Please enter relieving date.,Skriv inn lindrende dato.,
-Please enter repayment Amount,Fyll inn gjenværende beløpet,
 Please enter valid Financial Year Start and End Dates,Fyll inn gyldig Regnskapsår start- og sluttdato,
 Please enter valid email address,Vennligst skriv inn gyldig e-postadresse,
 Please enter {0} first,Fyll inn {0} først,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Prising Reglene er videre filtreres basert på kvantitet.,
 Primary Address Details,Primæradresse detaljer,
 Primary Contact Details,Primær kontaktdetaljer,
-Principal Amount,hovedstol,
 Print Format,Print Format,
 Print IRS 1099 Forms,Skriv ut IRS 1099 skjemaer,
 Print Report Card,Skriv ut rapportkort,
@@ -2550,7 +2538,6 @@
 Sample Collection,Eksempel Innsamling,
 Sample quantity {0} cannot be more than received quantity {1},Prøvekvantitet {0} kan ikke være mer enn mottatt mengde {1},
 Sanctioned,sanksjonert,
-Sanctioned Amount,Sanksjonert beløp,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanksjonert Beløpet kan ikke være større enn krav Beløp i Rad {0}.,
 Sand,Sand,
 Saturday,Lørdag,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} har allerede en foreldreprosedyre {1}.,
 API,API,
 Annual,Årlig,
-Approved,Godkjent,
 Change,Endre,
 Contact Email,Kontakt Epost,
 Export Type,Eksporttype,
@@ -3571,7 +3557,6 @@
 Account Value,Kontoverdi,
 Account is mandatory to get payment entries,Konto er obligatorisk for å få betalingsoppføringer,
 Account is not set for the dashboard chart {0},Kontoen er ikke angitt for dashborddiagrammet {0},
-Account {0} does not belong to company {1},Konto {0} tilhører ikke selskapet {1},
 Account {0} does not exists in the dashboard chart {1},Konto {0} eksisterer ikke i oversiktsdiagrammet {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Konto: <b>{0}</b> er kapital Arbeid pågår og kan ikke oppdateres av journalpost,
 Account: {0} is not permitted under Payment Entry,Konto: {0} er ikke tillatt under betalingsoppføringen,
@@ -3582,7 +3567,6 @@
 Activity,Aktivitet,
 Add / Manage Email Accounts.,Legg til / Administrer e-postkontoer.,
 Add Child,Legg Child,
-Add Loan Security,Legg til lånesikkerhet,
 Add Multiple,Legg til flere,
 Add Participants,Legg til deltakere,
 Add to Featured Item,Legg til valgt produkt,
@@ -3593,15 +3577,12 @@
 Address Line 1,Adresselinje 1,
 Addresses,Adresser,
 Admission End Date should be greater than Admission Start Date.,Sluttdatoen for opptaket skal være større enn startdato for opptaket.,
-Against Loan,Mot lån,
-Against Loan:,Mot lån:,
 All,Alle,
 All bank transactions have been created,Alle banktransaksjoner er opprettet,
 All the depreciations has been booked,Alle avskrivningene er booket,
 Allocation Expired!,Tildeling utløpt!,
 Allow Resetting Service Level Agreement from Support Settings.,Tillat tilbakestilling av servicenivåavtale fra støtteinnstillinger.,
 Amount of {0} is required for Loan closure,Mengden {0} er nødvendig for lånets nedleggelse,
-Amount paid cannot be zero,Betalt beløp kan ikke være null,
 Applied Coupon Code,Anvendt kupongkode,
 Apply Coupon Code,Bruk kupongkode,
 Appointment Booking,Avtalebestilling,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,Kan ikke beregne ankomsttid da driveradressen mangler.,
 Cannot Optimize Route as Driver Address is Missing.,Kan ikke optimalisere ruten ettersom driveradressen mangler.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Kan ikke fullføre oppgaven {0} da den avhengige oppgaven {1} ikke er komplettert / kansellert.,
-Cannot create loan until application is approved,Kan ikke opprette lån før søknaden er godkjent,
 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}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Kan ikke overbillige for varen {0} i rad {1} mer enn {2}. For å tillate overfakturering, må du angi godtgjørelse i Kontoinnstillinger",
 "Capacity Planning Error, planned start time can not be same as end time","Kapasitetsplanleggingsfeil, planlagt starttid kan ikke være det samme som sluttid",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Mindre enn beløpet,
 Liabilities,gjeld,
 Loading...,Laster inn ...,
-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,
 Loan Applications from customers and employees.,Låneapplikasjoner fra kunder og ansatte.,
-Loan Disbursement,Lånutbetaling,
 Loan Processes,Låneprosesser,
-Loan Security,Lånesikkerhet,
-Loan Security Pledge,Lånesikkerhetspant,
-Loan Security Pledge Created : {0},Lånesikkerhetspant opprettet: {0},
-Loan Security Price,Lånesikkerhetspris,
-Loan Security Price overlapping with {0},Lånesikkerhetspris som overlapper med {0},
-Loan Security Unpledge,Lånesikkerhet unpedge,
-Loan Security Value,Lånesikkerhetsverdi,
 Loan Type for interest and penalty rates,Lånetype for renter og bøter,
-Loan amount cannot be greater than {0},Lånebeløpet kan ikke være større enn {0},
-Loan is mandatory,Lån er obligatorisk,
 Loans,lån,
 Loans provided to customers and employees.,Lån gitt til kunder og ansatte.,
 Location,Beliggenhet,
@@ -3894,7 +3863,6 @@
 Pay,Betale,
 Payment Document Type,Betalingsdokumenttype,
 Payment Name,Betalingsnavn,
-Penalty Amount,Straffebeløp,
 Pending,Avventer,
 Performance,Opptreden,
 Period based On,Periode basert på,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,Vennligst logg inn som markedsplassbruker for å redigere dette elementet.,
 Please login as a Marketplace User to report this item.,Vennligst logg inn som Marketplace-bruker for å rapportere denne varen.,
 Please select <b>Template Type</b> to download template,Velg <b>Template Type for</b> å laste ned mal,
-Please select Applicant Type first,Velg Søkertype først,
 Please select Customer first,Velg kunde først,
 Please select Item Code first,Velg varekode først,
-Please select Loan Type for company {0},Velg lånetype for selskapet {0},
 Please select a Delivery Note,Velg en leveringsmerknad,
 Please select a Sales Person for item: {0},Velg en selger for varen: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Vennligst velg en annen betalingsmetode. Stripe støtter ikke transaksjoner i valuta &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Sett opp en standard bankkonto for selskapet {0},
 Please specify,Vennligst spesifiser,
 Please specify a {0},Angi {0},lead
-Pledge Status,Pantestatus,
-Pledge Time,Pantetid,
 Printing,Utskrift,
 Priority,Prioritet,
 Priority has been changed to {0}.,Prioritet er endret til {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Behandler XML-filer,
 Profitability,lønnsomhet,
 Project,Prosjekt,
-Proposed Pledges are mandatory for secured Loans,Foreslåtte pantsettelser er obligatoriske for sikrede lån,
 Provide the academic year and set the starting and ending date.,Gi studieåret og angi start- og sluttdato.,
 Public token is missing for this bank,Offentlig token mangler for denne banken,
 Publish,publisere,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Innkjøpskvittering har ingen varer som beholder prøve er aktivert for.,
 Purchase Return,Kjøp Return,
 Qty of Finished Goods Item,Antall ferdige varer,
-Qty or Amount is mandatroy for loan security,Antall eller beløp er mandatroy for lån sikkerhet,
 Quality Inspection required for Item {0} to submit,Kvalitetskontroll kreves for at varen {0} skal sendes inn,
 Quantity to Manufacture,Mengde å produsere,
 Quantity to Manufacture can not be zero for the operation {0},Mengde å produsere kan ikke være null for operasjonen {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Relieving Date må være større enn eller lik dato for tiltredelse,
 Rename,Gi nytt navn,
 Rename Not Allowed,Gi nytt navn ikke tillatt,
-Repayment Method is mandatory for term loans,Tilbakebetalingsmetode er obligatorisk for lån,
-Repayment Start Date is mandatory for term loans,Startdato for tilbakebetaling er obligatorisk for terminlån,
 Report Item,Rapporter varen,
 Report this Item,Rapporter dette elementet,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Reservert antall for underleveranser: Råvaremengde for å lage underleveranser.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Rad ({0}): {1} er allerede nedsatt innen {2},
 Rows Added in {0},Rader lagt til i {0},
 Rows Removed in {0},Rader fjernet om {0},
-Sanctioned Amount limit crossed for {0} {1},Sanksjonert beløpsgrense krysset for {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},Sanksjonert lånebeløp eksisterer allerede for {0} mot selskap {1},
 Save,Lagre,
 Save Item,Lagre varen,
 Saved Items,Lagrede elementer,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Bruker {0} er deaktivert,
 Users and Permissions,Brukere og tillatelser,
 Vacancies cannot be lower than the current openings,Ledige stillinger kan ikke være lavere enn dagens åpninger,
-Valid From Time must be lesser than Valid Upto Time.,Gyldig fra tid må være mindre enn gyldig inntil tid.,
 Valuation Rate required for Item {0} at row {1},Verdsettelsesgrad påkrevd for vare {0} på rad {1},
 Values Out Of Sync,Verdier utenfor synkronisering,
 Vehicle Type is required if Mode of Transport is Road,Kjøretøytype er påkrevd hvis modus for transport er vei,
@@ -4211,7 +4168,6 @@
 Add to Cart,Legg til i handlevogn,
 Days Since Last Order,Dager siden sist bestilling,
 In Stock,På lager,
-Loan Amount is mandatory,Lånebeløp er obligatorisk,
 Mode Of Payment,Modus for betaling,
 No students Found,Ingen studenter funnet,
 Not in Stock,Ikke på lager,
@@ -4240,7 +4196,6 @@
 Group by,Grupper etter,
 In stock,På lager,
 Item name,Navn,
-Loan amount is mandatory,Lånebeløp er obligatorisk,
 Minimum Qty,Minimum antall,
 More details,Mer informasjon,
 Nature of Supplies,Naturens forsyninger,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Totalt fullført antall,
 Qty to Manufacture,Antall å produsere,
 Repay From Salary can be selected only for term loans,Tilbakebetaling fra lønn kan bare velges for løpetidslån,
-No valid Loan Security Price found for {0},Fant ingen gyldig sikkerhetspris for lån for {0},
-Loan Account and Payment Account cannot be same,Lånekontoen og betalingskontoen kan ikke være den samme,
-Loan Security Pledge can only be created for secured loans,Lånesikkerhetspant kan bare opprettes for sikrede lån,
 Social Media Campaigns,Sosiale mediekampanjer,
 From Date can not be greater than To Date,Fra dato kan ikke være større enn til dato,
 Please set a Customer linked to the Patient,Angi en kunde som er koblet til pasienten,
@@ -6437,7 +6389,6 @@
 HR User,HR User,
 Appointment Letter,Avtalebrev,
 Job Applicant,Jobbsøker,
-Applicant Name,Søkerens navn,
 Appointment Date,Avtaledato,
 Appointment Letter Template,Avtalebrevmal,
 Body,Kropp,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Synkronisering i fremgang,
 Hub Seller Name,Hub Selger Navn,
 Custom Data,Tilpassede data,
-Member,Medlem,
-Partially Disbursed,delvis Utbetalt,
-Loan Closure Requested,Låneavslutning bedt om,
 Repay From Salary,Smelle fra Lønn,
-Loan Details,lån Detaljer,
-Loan Type,låne~~POS=TRUNC,
-Loan Amount,Lånebeløp,
-Is Secured Loan,Er sikret lån,
-Rate of Interest (%) / Year,Rente (%) / År,
-Disbursement Date,Innbetalingsdato,
-Disbursed Amount,Utbetalt beløp,
-Is Term Loan,Er terminlån,
-Repayment Method,tilbakebetaling Method,
-Repay Fixed Amount per Period,Smelle fast beløp per periode,
-Repay Over Number of Periods,Betale tilbake over antall perioder,
-Repayment Period in Months,Nedbetalingstid i måneder,
-Monthly Repayment Amount,Månedlig nedbetaling beløpet,
-Repayment Start Date,Tilbakebetaling Startdato,
-Loan Security Details,Lånesikkerhetsdetaljer,
-Maximum Loan Value,Maksimal utlånsverdi,
-Account Info,Kontoinformasjon,
-Loan Account,Lånekonto,
-Interest Income Account,Renteinntekter konto,
-Penalty Income Account,Straffinntektsregnskap,
-Repayment Schedule,tilbakebetaling Schedule,
-Total Payable Amount,Totalt betales beløpet,
-Total Principal Paid,Totalt hovedstol betalt,
-Total Interest Payable,Total rentekostnader,
-Total Amount Paid,Totalt beløp betalt,
-Loan Manager,Låneansvarlig,
-Loan Info,lån info,
-Rate of Interest,Rente,
-Proposed Pledges,Forslag til pantsettelser,
-Maximum Loan Amount,Maksimal Lånebeløp,
-Repayment Info,tilbakebetaling info,
-Total Payable Interest,Total skyldige renter,
-Against Loan ,Mot lån,
-Loan Interest Accrual,Lånerenteopptjening,
-Amounts,beløp,
-Pending Principal Amount,Venter på hovedbeløp,
-Payable Principal Amount,Betalbart hovedbeløp,
-Paid Principal Amount,Betalt hovedbeløp,
-Paid Interest Amount,Betalt rentebeløp,
-Process Loan Interest Accrual,Prosess Lån Renteopptjening,
-Repayment Schedule Name,Navn på tilbakebetalingsplan,
 Regular Payment,Vanlig betaling,
 Loan Closure,Lånet stenging,
-Payment Details,Betalingsinformasjon,
-Interest Payable,Betalbar rente,
-Amount Paid,Beløpet Betalt,
-Principal Amount Paid,Hovedbeløp betalt,
-Repayment Details,Detaljer om tilbakebetaling,
-Loan Repayment Detail,Detalj om tilbakebetaling av lån,
-Loan Security Name,Lånesikkerhetsnavn,
-Unit Of Measure,Måleenhet,
-Loan Security Code,Lånesikkerhetskode,
-Loan Security Type,Lånesikkerhetstype,
-Haircut %,Hårklipp%,
-Loan  Details,Lånedetaljer,
-Unpledged,Unpledged,
-Pledged,lovet,
-Partially Pledged,Delvis pantsatt,
-Securities,verdipapirer,
-Total Security Value,Total sikkerhetsverdi,
-Loan Security Shortfall,Lånesikkerhetsmangel,
-Loan ,Låne,
-Shortfall Time,Mangel på tid,
-America/New_York,Amerika / New_York,
-Shortfall Amount,Mangelbeløp,
-Security Value ,Sikkerhetsverdi,
-Process Loan Security Shortfall,Prosess Lånsikkerhetsmangel,
-Loan To Value Ratio,Utlån til verdi,
-Unpledge Time,Unpedge Time,
-Loan Name,lån Name,
 Rate of Interest (%) Yearly,Rente (%) Årlig,
-Penalty Interest Rate (%) Per Day,Straffrente (%) per dag,
-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,
-Grace Period in Days,Nådeperiode i dager,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,Antall dager fra forfallsdato og til hvilket gebyr ikke vil bli belastet i tilfelle forsinkelse i tilbakebetaling av lån,
-Pledge,Løfte,
-Post Haircut Amount,Legg inn hårklippsbeløp,
-Process Type,Prosess Type,
-Update Time,Oppdateringstid,
-Proposed Pledge,Foreslått pant,
-Total Payment,totalt betaling,
-Balance Loan Amount,Balanse Lånebeløp,
-Is Accrued,Er påløpt,
 Salary Slip Loan,Lønnsslipplån,
 Loan Repayment Entry,Innbetaling av lånebetaling,
-Sanctioned Loan Amount,Sanksjonert lånebeløp,
-Sanctioned Amount Limit,Sanksjonert beløpsgrense,
-Unpledge,Unpledge,
-Haircut,Hårklipp,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Generere Schedule,
 Schedules,Rutetider,
@@ -7885,7 +7749,6 @@
 Update Series,Update-serien,
 Change the starting / current sequence number of an existing series.,Endre start / strøm sekvensnummer av en eksisterende serie.,
 Prefix,Prefix,
-Current Value,Nåværende Verdi,
 This is the number of the last created transaction with this prefix,Dette er nummeret på den siste laget transaksjonen med dette prefikset,
 Update Series Number,Update-serien Nummer,
 Quotation Lost Reason,Sitat av Lost Reason,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise Anbefalt Omgjøre nivå,
 Lead Details,Lead Detaljer,
 Lead Owner Efficiency,Leder Eier Effektivitet,
-Loan Repayment and Closure,Lånebetaling og lukking,
-Loan Security Status,Lånesikkerhetsstatus,
 Lost Opportunity,Mistet mulighet,
 Maintenance Schedules,Vedlikeholdsplaner,
 Material Requests for which Supplier Quotations are not created,Materielle Forespørsler som Leverandør Sitater ikke er opprettet,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Målrettet antall: {0},
 Payment Account is mandatory,Betalingskonto er obligatorisk,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Hvis det er merket av, vil hele beløpet bli trukket fra skattepliktig inntekt før beregning av inntektsskatt uten erklæring eller bevis.",
-Disbursement Details,Utbetalingsdetaljer,
 Material Request Warehouse,Materialforespørsel Lager,
 Select warehouse for material requests,Velg lager for materialforespørsler,
 Transfer Materials For Warehouse {0},Overfør materiale til lager {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Tilbakebetalt uavhentet beløp fra lønn,
 Deduction from salary,Trekk fra lønn,
 Expired Leaves,Utløpte blader,
-Reference No,referanse Nei,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,Hårklippsprosent er den prosentvise forskjellen mellom markedsverdien av lånesikkerheten og verdien som tilskrives lånets sikkerhet når den brukes som sikkerhet for lånet.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,Loan To Value Ratio uttrykker forholdet mellom lånebeløpet og verdien av pantet. Et lånesikkerhetsmangel vil utløses hvis dette faller under den angitte verdien for et lån,
 If this is not checked the loan by default will be considered as a Demand Loan,"Hvis dette ikke er sjekket, vil lånet som standard bli betraktet som et etterspørsel",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Denne kontoen brukes til å bestille tilbakebetaling av lån fra låntaker og også utbetale lån til låner,
 This account is capital account which is used to allocate capital for loan disbursal account ,Denne kontoen er en kapitalkonto som brukes til å fordele kapital til utbetaling av lån,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Operasjon {0} tilhører ikke arbeidsordren {1},
 Print UOM after Quantity,Skriv ut UOM etter antall,
 Set default {0} account for perpetual inventory for non stock items,Angi standard {0} -konto for evigvarende beholdning for varer som ikke er på lager,
-Loan Security {0} added multiple times,Lånesikkerhet {0} er lagt til flere ganger,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Lånepapirer med forskjellig LTV-forhold kan ikke pantsettes mot ett lån,
-Qty or Amount is mandatory for loan security!,Antall eller beløp er obligatorisk for lånesikkerhet!,
-Only submittted unpledge requests can be approved,Bare innsendte uforpliktede forespørsler kan godkjennes,
-Interest Amount or Principal Amount is mandatory,Rentebeløp eller hovedbeløp er obligatorisk,
-Disbursed Amount cannot be greater than {0},Utbetalt beløp kan ikke være større enn {0},
-Row {0}: Loan Security {1} added multiple times,Rad {0}: Lånesikkerhet {1} lagt til flere ganger,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Rad nr. {0}: Underordnet vare skal ikke være en produktpakke. Fjern element {1} og lagre,
 Credit limit reached for customer {0},Kredittgrensen er nådd for kunden {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Kunne ikke opprette kunde automatisk på grunn av følgende manglende obligatoriske felt:,
diff --git a/erpnext/translations/pl.csv b/erpnext/translations/pl.csv
index 013a1c3..a3fa0ec 100644
--- a/erpnext/translations/pl.csv
+++ b/erpnext/translations/pl.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Stosuje się, jeśli spółką jest SpA, SApA lub SRL",
 Applicable if the company is a limited liability company,"Stosuje się, jeśli firma jest spółką z ograniczoną odpowiedzialnością",
 Applicable if the company is an Individual or a Proprietorship,"Stosuje się, jeśli firma jest jednostką lub właścicielem",
-Applicant,Petent,
-Applicant Type,Typ Wnioskodawcy,
 Application of Funds (Assets),Aktywa,
 Application period cannot be across two allocation records,Okres aplikacji nie może mieć dwóch rekordów przydziału,
 Application period cannot be outside leave allocation period,Wskazana data nieobecności nie może wykraczać poza zaalokowany okres dla nieobecności,
@@ -1465,10 +1463,6 @@
 List of available Shareholders with folio numbers,Lista dostępnych Akcjonariuszy z numerami folio,
 Loading Payment System,Ładowanie systemu płatności,
 Loan,Pożyczka,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Kwota kredytu nie może przekroczyć maksymalna kwota kredytu o {0},
-Loan Application,Podanie o pożyczkę,
-Loan Management,Zarządzanie kredytem,
-Loan Repayment,Spłata pożyczki,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,"Data rozpoczęcia pożyczki i okres pożyczki są obowiązkowe, aby zapisać dyskontowanie faktury",
 Loans (Liabilities),Kredyty (zobowiązania),
 Loans and Advances (Assets),Pożyczki i zaliczki (aktywa),
@@ -1605,7 +1599,6 @@
 Monday,Poniedziałek,
 Monthly,Miesięcznie,
 Monthly Distribution,Miesięczny Dystrybucja,
-Monthly Repayment Amount cannot be greater than Loan Amount,Miesięczna kwota spłaty nie może być większa niż Kwota kredytu,
 More,Więcej,
 More Information,Więcej informacji,
 More than one selection for {0} not allowed,Więcej niż jeden wybór dla {0} jest niedozwolony,
@@ -1877,11 +1870,9 @@
 Pay {0} {1},Zapłać {0} {1},
 Payable,Płatność,
 Payable Account,Konto płatności,
-Payable Amount,Kwota do zapłaty,
 Payment,Płatność,
 Payment Cancelled. Please check your GoCardless Account for more details,"Płatność anulowana. Sprawdź swoje konto bez karty, aby uzyskać więcej informacji",
 Payment Confirmation,Potwierdzenie płatności,
-Payment Date,Data płatności,
 Payment Days,Dni płatności,
 Payment Document,Płatność Dokument,
 Payment Due Date,Termin płatności,
@@ -1974,7 +1965,6 @@
 Please enter Production Item first,Wprowadź jako pierwszą Produkowaną Rzecz,
 Please enter Purchase Receipt first,Proszę wpierw wprowadzić dokument zakupu,
 Please enter Receipt Document,Proszę podać Otrzymanie dokumentu,
-Please enter Repayment Periods,Proszę wprowadzić okresy spłaty,
 Please enter Reqd by Date,Wprowadź datę realizacji,
 Please enter Woocommerce Server URL,Wprowadź adres URL serwera Woocommerce,
 Please enter Write Off Account,Proszę zdefiniować konto odpisów,
@@ -1985,7 +1975,6 @@
 Please enter message before sending,Proszę wpisać wiadomość przed wysłaniem,
 Please enter parent cost center,Proszę podać nadrzędne centrum kosztów,
 Please enter quantity for Item {0},Wprowadź ilość dla przedmiotu {0},
-Please enter repayment Amount,Wpisz Kwota spłaty,
 Please enter valid Financial Year Start and End Dates,Proszę wpisać poprawny rok obrotowy od daty rozpoczęcia i zakończenia,
 Please enter valid email address,Proszę wprowadzić poprawny adres email,
 Please enter {0} first,Podaj {0} pierwszy,
@@ -2149,7 +2138,6 @@
 Pricing Rules are further filtered based on quantity.,Zasady ustalania cen są dalej filtrowane na podstawie ilości.,
 Primary Address Details,Podstawowe dane adresowe,
 Primary Contact Details,Podstawowe dane kontaktowe,
-Principal Amount,Główna kwota,
 Print Format,Format Druku,
 Print IRS 1099 Forms,Drukuj formularze IRS 1099,
 Print Report Card,Wydrukuj kartę raportu,
@@ -2533,7 +2521,6 @@
 Sample Collection,Kolekcja próbek,
 Sample quantity {0} cannot be more than received quantity {1},Ilość próbki {0} nie może być większa niż ilość odebranej {1},
 Sanctioned,usankcjonowane,
-Sanctioned Amount,Zatwierdzona Kwota,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Usankcjonowane Kwota nie może być większa niż ilość roszczenia w wierszu {0}.,
 Sand,Piasek,
 Saturday,Sobota,
@@ -3515,7 +3502,6 @@
 {0} already has a Parent Procedure {1}.,{0} ma już procedurę nadrzędną {1}.,
 API,API,
 Annual,Roczny,
-Approved,Zatwierdzono,
 Change,Reszta,
 Contact Email,E-mail kontaktu,
 Export Type,Typ eksportu,
@@ -3545,7 +3531,6 @@
 Account Value,Wartość konta,
 Account is mandatory to get payment entries,"Konto jest obowiązkowe, aby uzyskać wpisy płatności",
 Account is not set for the dashboard chart {0},Konto nie jest ustawione dla wykresu deski rozdzielczej {0},
-Account {0} does not belong to company {1},Konto {0} nie jest przypisane do Firmy {1},
 Account {0} does not exists in the dashboard chart {1},Konto {0} nie istnieje na schemacie deski rozdzielczej {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Konto: <b>{0}</b> to kapitał Trwają prace i nie można go zaktualizować za pomocą zapisu księgowego,
 Account: {0} is not permitted under Payment Entry,Konto: {0} jest niedozwolone w ramach wprowadzania płatności,
@@ -3556,7 +3541,6 @@
 Activity,Aktywność,
 Add / Manage Email Accounts.,Dodaj / Zarządzaj kontami poczty e-mail.,
 Add Child,Dodaj pod-element,
-Add Loan Security,Dodaj zabezpieczenia pożyczki,
 Add Multiple,Dodaj wiele,
 Add Participants,Dodaj uczestników,
 Add to Featured Item,Dodaj do polecanego elementu,
@@ -3567,15 +3551,12 @@
 Address Line 1,Pierwszy wiersz adresu,
 Addresses,Adresy,
 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.,
-Against Loan,Przeciw pożyczce,
-Against Loan:,Przeciw pożyczce:,
 All,Wszystko,
 All bank transactions have been created,Wszystkie transakcje bankowe zostały utworzone,
 All the depreciations has been booked,Wszystkie amortyzacje zostały zarezerwowane,
 Allocation Expired!,Przydział wygasł!,
 Allow Resetting Service Level Agreement from Support Settings.,Zezwalaj na resetowanie umowy o poziomie usług z ustawień wsparcia.,
 Amount of {0} is required for Loan closure,Kwota {0} jest wymagana do zamknięcia pożyczki,
-Amount paid cannot be zero,Kwota wypłacona nie może wynosić zero,
 Applied Coupon Code,Zastosowany kod kuponu,
 Apply Coupon Code,Wprowadź Kod Kuponu,
 Appointment Booking,Rezerwacja terminu,
@@ -3623,7 +3604,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,"Nie można obliczyć czasu przybycia, ponieważ brakuje adresu sterownika.",
 Cannot Optimize Route as Driver Address is Missing.,"Nie można zoptymalizować trasy, ponieważ brakuje adresu sterownika.",
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Nie można ukończyć zadania {0}, ponieważ jego zależne zadanie {1} nie zostało zakończone / anulowane.",
-Cannot create loan until application is approved,"Nie można utworzyć pożyczki, dopóki wniosek nie zostanie zatwierdzony",
 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}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Nie można przepłacić za element {0} w wierszu {1} więcej niż {2}. Aby zezwolić na nadmierne fakturowanie, ustaw limit w Ustawieniach kont",
 "Capacity Planning Error, planned start time can not be same as end time","Błąd planowania wydajności, planowany czas rozpoczęcia nie może być taki sam jak czas zakończenia",
@@ -3786,20 +3766,9 @@
 Less Than Amount,Mniej niż kwota,
 Liabilities,Zadłużenie,
 Loading...,Wczytuję...,
-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,
 Loan Applications from customers and employees.,Wnioski o pożyczkę od klientów i pracowników.,
-Loan Disbursement,Wypłata pożyczki,
 Loan Processes,Procesy pożyczkowe,
-Loan Security,Zabezpieczenie pożyczki,
-Loan Security Pledge,Zobowiązanie do zabezpieczenia pożyczki,
-Loan Security Pledge Created : {0},Utworzono zastaw na zabezpieczeniu pożyczki: {0},
-Loan Security Price,Cena zabezpieczenia pożyczki,
-Loan Security Price overlapping with {0},Cena zabezpieczenia kredytu pokrywająca się z {0},
-Loan Security Unpledge,Zabezpieczenie pożyczki Unpledge,
-Loan Security Value,Wartość zabezpieczenia pożyczki,
 Loan Type for interest and penalty rates,Rodzaj pożyczki na odsetki i kary pieniężne,
-Loan amount cannot be greater than {0},Kwota pożyczki nie może być większa niż {0},
-Loan is mandatory,Pożyczka jest obowiązkowa,
 Loans,Pożyczki,
 Loans provided to customers and employees.,Pożyczki udzielone klientom i pracownikom.,
 Location,Lokacja,
@@ -3868,7 +3837,6 @@
 Pay,Zapłacone,
 Payment Document Type,Typ dokumentu płatności,
 Payment Name,Nazwa płatności,
-Penalty Amount,Kwota kary,
 Pending,W toku,
 Performance,Występ,
 Period based On,Okres oparty na,
@@ -3890,10 +3858,8 @@
 Please login as a Marketplace User to edit this item.,"Zaloguj się jako użytkownik Marketplace, aby edytować ten element.",
 Please login as a Marketplace User to report this item.,"Zaloguj się jako użytkownik Marketplace, aby zgłosić ten element.",
 Please select <b>Template Type</b> to download template,"Wybierz <b>Typ szablonu,</b> aby pobrać szablon",
-Please select Applicant Type first,Najpierw wybierz typ wnioskodawcy,
 Please select Customer first,Najpierw wybierz klienta,
 Please select Item Code first,Najpierw wybierz Kod produktu,
-Please select Loan Type for company {0},Wybierz typ pożyczki dla firmy {0},
 Please select a Delivery Note,Wybierz dowód dostawy,
 Please select a Sales Person for item: {0},Wybierz sprzedawcę dla produktu: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Wybierz inną metodę płatności. Stripe nie obsługuje transakcji w walucie &#39;{0}&#39;,
@@ -3909,8 +3875,6 @@
 Please setup a default bank account for company {0},Ustaw domyślne konto bankowe dla firmy {0},
 Please specify,Sprecyzuj,
 Please specify a {0},Proszę podać {0},lead
-Pledge Status,Status zobowiązania,
-Pledge Time,Czas przyrzeczenia,
 Printing,Druk,
 Priority,Priorytet,
 Priority has been changed to {0}.,Priorytet został zmieniony na {0}.,
@@ -3918,7 +3882,6 @@
 Processing XML Files,Przetwarzanie plików XML,
 Profitability,Rentowność,
 Project,Projekt,
-Proposed Pledges are mandatory for secured Loans,Proponowane zastawy są obowiązkowe dla zabezpieczonych pożyczek,
 Provide the academic year and set the starting and ending date.,Podaj rok akademicki i ustaw datę początkową i końcową.,
 Public token is missing for this bank,Brakuje publicznego tokena dla tego banku,
 Publish,Publikować,
@@ -3934,7 +3897,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"W potwierdzeniu zakupu nie ma żadnego elementu, dla którego włączona jest opcja Zachowaj próbkę.",
 Purchase Return,Zwrot zakupu,
 Qty of Finished Goods Item,Ilość produktu gotowego,
-Qty or Amount is mandatroy for loan security,Ilość lub Kwota jest mandatroy dla zabezpieczenia kredytu,
 Quality Inspection required for Item {0} to submit,Kontrola jakości wymagana do przesłania pozycji {0},
 Quantity to Manufacture,Ilość do wyprodukowania,
 Quantity to Manufacture can not be zero for the operation {0},Ilość do wyprodukowania nie może wynosić zero dla operacji {0},
@@ -3955,8 +3917,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Data zwolnienia musi być większa lub równa dacie przystąpienia,
 Rename,Zmień nazwę,
 Rename Not Allowed,Zmień nazwę na Niedozwolone,
-Repayment Method is mandatory for term loans,Metoda spłaty jest obowiązkowa w przypadku pożyczek terminowych,
-Repayment Start Date is mandatory for term loans,Data rozpoczęcia spłaty jest obowiązkowa w przypadku pożyczek terminowych,
 Report Item,Zgłoś przedmiot,
 Report this Item,Zgłoś ten przedmiot,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Zarezerwowana ilość dla umowy podwykonawczej: ilość surowców do wytworzenia elementów podwykonawczych.,
@@ -3989,8 +3949,6 @@
 Row({0}): {1} is already discounted in {2},Wiersz ({0}): {1} jest już zdyskontowany w {2},
 Rows Added in {0},Rzędy dodane w {0},
 Rows Removed in {0},Rzędy usunięte w {0},
-Sanctioned Amount limit crossed for {0} {1},Przekroczono limit kwoty usankcjonowanej dla {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},Kwota sankcjonowanej pożyczki już istnieje dla {0} wobec firmy {1},
 Save,Zapisz,
 Save Item,Zapisz przedmiot,
 Saved Items,Zapisane przedmioty,
@@ -4109,7 +4067,6 @@
 User {0} is disabled,Użytkownik {0} jest wyłączony,
 Users and Permissions,Użytkownicy i uprawnienia,
 Vacancies cannot be lower than the current openings,Wolne miejsca nie mogą być niższe niż obecne otwarcia,
-Valid From Time must be lesser than Valid Upto Time.,Ważny od czasu musi być mniejszy niż Ważny do godziny.,
 Valuation Rate required for Item {0} at row {1},Kurs wyceny wymagany dla pozycji {0} w wierszu {1},
 Values Out Of Sync,Wartości niezsynchronizowane,
 Vehicle Type is required if Mode of Transport is Road,"Typ pojazdu jest wymagany, jeśli tryb transportu to Droga",
@@ -4185,7 +4142,6 @@
 Add to Cart,Dodaj do koszyka,
 Days Since Last Order,Dni od ostatniego zamówienia,
 In Stock,W magazynie,
-Loan Amount is mandatory,Kwota pożyczki jest obowiązkowa,
 Mode Of Payment,Rodzaj płatności,
 No students Found,Nie znaleziono studentów,
 Not in Stock,Brak na stanie,
@@ -4214,7 +4170,6 @@
 Group by,Grupuj według,
 In stock,W magazynie,
 Item name,Nazwa pozycji,
-Loan amount is mandatory,Kwota pożyczki jest obowiązkowa,
 Minimum Qty,Minimalna ilość,
 More details,Więcej szczegółów,
 Nature of Supplies,Natura dostaw,
@@ -4383,9 +4338,6 @@
 Total Completed Qty,Całkowita ukończona ilość,
 Qty to Manufacture,Ilość do wyprodukowania,
 Repay From Salary can be selected only for term loans,Spłata z wynagrodzenia może być wybrana tylko dla pożyczek terminowych,
-No valid Loan Security Price found for {0},Nie znaleziono prawidłowej ceny zabezpieczenia pożyczki dla {0},
-Loan Account and Payment Account cannot be same,Rachunek pożyczki i rachunek płatniczy nie mogą być takie same,
-Loan Security Pledge can only be created for secured loans,Zabezpieczenie pożyczki można ustanowić tylko w przypadku pożyczek zabezpieczonych,
 Social Media Campaigns,Kampanie w mediach społecznościowych,
 From Date can not be greater than To Date,Data początkowa nie może być większa niż data początkowa,
 Please set a Customer linked to the Patient,Ustaw klienta powiązanego z pacjentem,
@@ -6396,7 +6348,6 @@
 HR User,Kadry - użytkownik,
 Appointment Letter,List z terminem spotkania,
 Job Applicant,Aplikujący o pracę,
-Applicant Name,Imię Aplikanta,
 Appointment Date,Data spotkania,
 Appointment Letter Template,Szablon listu z terminami,
 Body,Ciało,
@@ -7012,99 +6963,12 @@
 Sync in Progress,Synchronizacja w toku,
 Hub Seller Name,Nazwa sprzedawcy Hub,
 Custom Data,Dane niestandardowe,
-Member,Członek,
-Partially Disbursed,częściowo wypłacona,
-Loan Closure Requested,Zażądano zamknięcia pożyczki,
 Repay From Salary,Spłaty z pensji,
-Loan Details,pożyczka Szczegóły,
-Loan Type,Rodzaj kredytu,
-Loan Amount,Kwota kredytu,
-Is Secured Loan,Jest zabezpieczona pożyczka,
-Rate of Interest (%) / Year,Stopa procentowa (% / rok),
-Disbursement Date,wypłata Data,
-Disbursed Amount,Kwota wypłacona,
-Is Term Loan,Jest pożyczką terminową,
-Repayment Method,Sposób spłaty,
-Repay Fixed Amount per Period,Spłacić ustaloną kwotę za okres,
-Repay Over Number of Periods,Spłaty przez liczbę okresów,
-Repayment Period in Months,Spłata Okres w miesiącach,
-Monthly Repayment Amount,Miesięczna kwota spłaty,
-Repayment Start Date,Data rozpoczęcia spłaty,
-Loan Security Details,Szczegóły bezpieczeństwa pożyczki,
-Maximum Loan Value,Maksymalna wartość pożyczki,
-Account Info,Informacje o koncie,
-Loan Account,Konto kredytowe,
-Interest Income Account,Konto przychodów odsetkowych,
-Penalty Income Account,Rachunek dochodów z kar,
-Repayment Schedule,Harmonogram spłaty,
-Total Payable Amount,Całkowita należna kwota,
-Total Principal Paid,Łącznie wypłacone główne zlecenie,
-Total Interest Payable,Razem odsetki płatne,
-Total Amount Paid,Łączna kwota zapłacona,
-Loan Manager,Menedżer pożyczek,
-Loan Info,pożyczka Info,
-Rate of Interest,Stopa procentowa,
-Proposed Pledges,Proponowane zobowiązania,
-Maximum Loan Amount,Maksymalna kwota kredytu,
-Repayment Info,Informacje spłata,
-Total Payable Interest,Całkowita zapłata odsetek,
-Against Loan ,Przed pożyczką,
-Loan Interest Accrual,Narosłe odsetki od pożyczki,
-Amounts,Kwoty,
-Pending Principal Amount,Oczekująca kwota główna,
-Payable Principal Amount,Kwota główna do zapłaty,
-Paid Principal Amount,Zapłacona kwota główna,
-Paid Interest Amount,Kwota zapłaconych odsetek,
-Process Loan Interest Accrual,Przetwarzanie naliczonych odsetek od kredytu,
-Repayment Schedule Name,Nazwa harmonogramu spłaty,
 Regular Payment,Regularna płatność,
 Loan Closure,Zamknięcie pożyczki,
-Payment Details,Szczegóły płatności,
-Interest Payable,Odsetki płatne,
-Amount Paid,Kwota zapłacona,
-Principal Amount Paid,Kwota główna wypłacona,
-Repayment Details,Szczegóły spłaty,
-Loan Repayment Detail,Szczegóły spłaty pożyczki,
-Loan Security Name,Nazwa zabezpieczenia pożyczki,
-Unit Of Measure,Jednostka miary,
-Loan Security Code,Kod bezpieczeństwa pożyczki,
-Loan Security Type,Rodzaj zabezpieczenia pożyczki,
-Haircut %,Strzyżenie%,
-Loan  Details,Szczegóły pożyczki,
-Unpledged,Niepowiązane,
-Pledged,Obiecał,
-Partially Pledged,Częściowo obiecane,
-Securities,Papiery wartościowe,
-Total Security Value,Całkowita wartość bezpieczeństwa,
-Loan Security Shortfall,Niedobór bezpieczeństwa pożyczki,
-Loan ,Pożyczka,
-Shortfall Time,Czas niedoboru,
-America/New_York,America / New_York,
-Shortfall Amount,Kwota niedoboru,
-Security Value ,Wartość bezpieczeństwa,
-Process Loan Security Shortfall,Niedobór bezpieczeństwa pożyczki procesowej,
-Loan To Value Ratio,Wskaźnik pożyczki do wartości,
-Unpledge Time,Unpledge Time,
-Loan Name,pożyczka Nazwa,
 Rate of Interest (%) Yearly,Stopa procentowa (%) Roczne,
-Penalty Interest Rate (%) Per Day,Kara odsetkowa (%) dziennie,
-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,
-Grace Period in Days,Okres karencji w dniach,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,"Liczba dni od daty wymagalności, do której kara nie będzie naliczana w przypadku opóźnienia w spłacie kredytu",
-Pledge,Zastaw,
-Post Haircut Amount,Kwota po ostrzyżeniu,
-Process Type,Typ procesu,
-Update Time,Czas aktualizacji,
-Proposed Pledge,Proponowane zobowiązanie,
-Total Payment,Całkowita płatność,
-Balance Loan Amount,Kwota salda kredytu,
-Is Accrued,Jest naliczony,
 Salary Slip Loan,Salary Slip Loan,
 Loan Repayment Entry,Wpis spłaty kredytu,
-Sanctioned Loan Amount,Kwota udzielonej sankcji,
-Sanctioned Amount Limit,Sankcjonowany limit kwoty,
-Unpledge,Unpledge,
-Haircut,Ostrzyżenie,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Utwórz Harmonogram,
 Schedules,Harmonogramy,
@@ -7821,7 +7685,6 @@
 Update Series,Zaktualizuj Serię,
 Change the starting / current sequence number of an existing series.,Zmień początkowy / obecny numer seryjny istniejącej serii.,
 Prefix,Prefiks,
-Current Value,Bieżąca Wartość,
 This is the number of the last created transaction with this prefix,Jest to numer ostatniej transakcji utworzonego z tym prefiksem,
 Update Series Number,Zaktualizuj Numer Serii,
 Quotation Lost Reason,Utracony Powód Wyceny,
@@ -8428,8 +8291,6 @@
 Itemwise Recommended Reorder Level,Pozycja Zalecany poziom powtórnego zamówienia,
 Lead Details,Dane Tropu,
 Lead Owner Efficiency,Skuteczność właściciela wiodącego,
-Loan Repayment and Closure,Spłata i zamknięcie pożyczki,
-Loan Security Status,Status zabezpieczenia pożyczki,
 Lost Opportunity,Stracona szansa,
 Maintenance Schedules,Plany Konserwacji,
 Monthly Attendance Sheet,Miesięczna karta obecności,
@@ -8514,7 +8375,6 @@
 Counts Targeted: {0},Docelowe liczby: {0},
 Payment Account is mandatory,Konto płatnicze jest obowiązkowe,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Jeśli zaznaczone, pełna kwota zostanie odliczona od dochodu podlegającego opodatkowaniu przed obliczeniem podatku dochodowego bez składania deklaracji lub dowodów.",
-Disbursement Details,Szczegóły wypłaty,
 Material Request Warehouse,Magazyn żądań materiałowych,
 Select warehouse for material requests,Wybierz magazyn dla zapytań materiałowych,
 Transfer Materials For Warehouse {0},Przenieś materiały do magazynu {0},
@@ -8902,9 +8762,6 @@
 Repay unclaimed amount from salary,Zwróć nieodebraną kwotę z wynagrodzenia,
 Deduction from salary,Odliczenie od wynagrodzenia,
 Expired Leaves,Wygasłe liście,
-Reference No,Nr referencyjny,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,"Procent redukcji wartości to różnica procentowa między wartością rynkową Papieru Wartościowego Kredytu a wartością przypisaną temu Papierowi Wartościowemu Kredytowemu, gdy jest stosowany jako zabezpieczenie tej pożyczki.",
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,"Wskaźnik kredytu do wartości jest stosunkiem kwoty kredytu do wartości zastawionego zabezpieczenia. Niedobór zabezpieczenia pożyczki zostanie wyzwolony, jeśli spadnie poniżej określonej wartości dla jakiejkolwiek pożyczki",
 If this is not checked the loan by default will be considered as a Demand Loan,"Jeśli opcja ta nie zostanie zaznaczona, pożyczka domyślnie zostanie uznana za pożyczkę na żądanie",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,"To konto służy do księgowania spłat pożyczki od pożyczkobiorcy, a także do wypłaty pożyczki pożyczkobiorcy",
 This account is capital account which is used to allocate capital for loan disbursal account ,"Rachunek ten jest rachunkiem kapitałowym, który służy do alokacji kapitału na rachunek wypłat pożyczki",
@@ -9368,13 +9225,6 @@
 Operation {0} does not belong to the work order {1},Operacja {0} nie należy do zlecenia pracy {1},
 Print UOM after Quantity,Drukuj UOM po Quantity,
 Set default {0} account for perpetual inventory for non stock items,Ustaw domyślne konto {0} dla ciągłych zapasów dla pozycji spoza magazynu,
-Loan Security {0} added multiple times,Bezpieczeństwo pożyczki {0} zostało dodane wiele razy,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Dłużne Papiery Wartościowe o różnym wskaźniku LTV nie mogą być przedmiotem zastawu na jedną pożyczkę,
-Qty or Amount is mandatory for loan security!,Ilość lub kwota jest obowiązkowa dla zabezpieczenia kredytu!,
-Only submittted unpledge requests can be approved,Zatwierdzać można tylko przesłane żądania niezwiązane z próbą,
-Interest Amount or Principal Amount is mandatory,Kwota odsetek lub kwota główna jest obowiązkowa,
-Disbursed Amount cannot be greater than {0},Wypłacona kwota nie może być większa niż {0},
-Row {0}: Loan Security {1} added multiple times,Wiersz {0}: Bezpieczeństwo pożyczki {1} został dodany wiele razy,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Wiersz nr {0}: Element podrzędny nie powinien być pakietem produktów. Usuń element {1} i zapisz,
 Credit limit reached for customer {0},Osiągnięto limit kredytowy dla klienta {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Nie można automatycznie utworzyć klienta z powodu następujących brakujących pól obowiązkowych:,
diff --git a/erpnext/translations/ps.csv b/erpnext/translations/ps.csv
index 5ddb375..457d491 100644
--- a/erpnext/translations/ps.csv
+++ b/erpnext/translations/ps.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL",د تطبیق وړ که چیرې شرکت سپا ، SAPA یا SRL وي,
 Applicable if the company is a limited liability company,د تطبیق وړ که چیرې شرکت محدود مسؤلیت شرکت وي,
 Applicable if the company is an Individual or a Proprietorship,د تطبیق وړ که چیرې شرکت انفرادي یا مالکیت وي,
-Applicant,غوښتنلیک ورکوونکی,
-Applicant Type,د غوښتنلیک ډول,
 Application of Funds (Assets),د بسپنو (شتمني) کاریال,
 Application period cannot be across two allocation records,د غوښتنلیک موده نشي کولی د تخصیص دوه ریکارډونو کې وي,
 Application period cannot be outside leave allocation period,کاریال موده نه شي بهر رخصت تخصيص موده وي,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,د فولیو شمېر سره د شته شریکانو لیست لیست,
 Loading Payment System,د تادیاتو سیسټم پورته کول,
 Loan,پور,
-Loan Amount cannot exceed Maximum Loan Amount of {0},د پور مقدار نه شي کولای د اعظمي پور مقدار زیات {0},
-Loan Application,د پور غوښتنلیک,
-Loan Management,د پور مدیریت,
-Loan Repayment,دبيرته,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,د پور پیل نیټه او د پور موده د رسید تخفیف خوندي کولو لپاره لازمي دي,
 Loans (Liabilities),پورونه (مسؤلیتونه),
 Loans and Advances (Assets),پورونو او پرمختګ (شتمني),
@@ -1611,7 +1605,6 @@
 Monday,دوشنبه,
 Monthly,میاشتنی,
 Monthly Distribution,میاشتنی ویش,
-Monthly Repayment Amount cannot be greater than Loan Amount,میاشتنی پور بيرته مقدار نه شي کولای د پور مقدار زیات شي,
 More,نور,
 More Information,نور مالومات,
 More than one selection for {0} not allowed,د {0} لپاره له یو څخه زیات انتخاب اجازه نشته,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},پیسې {0} {1},
 Payable,د تادیې وړ,
 Payable Account,د تادیې وړ حساب,
-Payable Amount,د ورکړې وړ پیسې,
 Payment,د پیسو,
 Payment Cancelled. Please check your GoCardless Account for more details,تادیات رد شوی. مهرباني وکړئ د نورو جزیاتو لپاره د ګرمسیرless حساب وګورئ,
 Payment Confirmation,د تادیاتو تایید,
-Payment Date,د تادیاتو نېټه,
 Payment Days,د پیسو ورځې,
 Payment Document,د پیسو د سند,
 Payment Due Date,د پیسو له امله نېټه,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,مهرباني وکړئ لومړی رانيول رسيد ننوځي,
 Please enter Receipt Document,لطفا د رسيد سند ته ننوځي,
 Please enter Reference date,لطفا ماخذ نېټې ته ننوځي,
-Please enter Repayment Periods,لطفا د پور بيرته پړاوونه داخل,
 Please enter Reqd by Date,مهرباني وکړئ د رادډ نیټه په نیټه درج کړئ,
 Please enter Woocommerce Server URL,مهرباني وکړئ د Woocommerce Server URL ولیکئ,
 Please enter Write Off Account,لطفا حساب ولیکئ پړاو,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,لطفا مورنی لګښت مرکز ته ننوځي,
 Please enter quantity for Item {0},لورينه وکړئ د قالب اندازه داخل {0},
 Please enter relieving date.,لطفا کرارولو نیټه.,
-Please enter repayment Amount,لطفا د قسط اندازه ولیکۍ,
 Please enter valid Financial Year Start and End Dates,لطفا د اعتبار وړ مالي کال د پیل او پای نیټی,
 Please enter valid email address,لطفا د اعتبار وړ ایمیل ادرس ولیکۍ,
 Please enter {0} first,لطفا {0} په لومړي,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,د بیې اصول دي لا فلتر پر بنسټ اندازه.,
 Primary Address Details,د ابتدائی پته تفصیلات,
 Primary Contact Details,د اړیکو لومړني تفصیلات,
-Principal Amount,د مدیر مقدار,
 Print Format,چاپ شکل,
 Print IRS 1099 Forms,د IRS 1099 فورمې چاپ کړئ,
 Print Report Card,د چاپ راپور کارت,
@@ -2550,7 +2538,6 @@
 Sample Collection,نمونه راغونډول,
 Sample quantity {0} cannot be more than received quantity {1},نمونۍ مقدار {0} د ترلاسه شوي مقدار څخه ډیر نه وي {1},
 Sanctioned,تحریم,
-Sanctioned Amount,تحریم مقدار,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,تحریم مقدار نه شي کولای په کتارونو ادعا مقدار څخه ډيره وي {0}.,
 Sand,رڼا,
 Saturday,شنبه,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} د مخه د والدین پروسیجر {1} لري.,
 API,API,
 Annual,کلنی,
-Approved,تصویب شوې,
 Change,د بدلون,
 Contact Email,تماس دبرېښنا ليک,
 Export Type,د صادرولو ډول,
@@ -3571,7 +3557,6 @@
 Account Value,ګ Accountون ارزښت,
 Account is mandatory to get payment entries,حساب د تادیې ننوتلو ترلاسه کولو لپاره لازمي دی,
 Account is not set for the dashboard chart {0},حساب د ډشبورډ چارټ {0 for لپاره نه دی ټاکل شوی,
-Account {0} does not belong to company {1},ګڼون {0} کوي چې د دې شرکت سره تړاو نه لري {1},
 Account {0} does not exists in the dashboard chart {1},اکاونټ {0} د ډشبورډ چارټ {1} کې شتون نلري,
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,ګ : <b>ون</b> : <b>{0}</b> سرمایه کار دی چې په پرمختګ کې دی او د ژورنال ننوتلو سره تازه کیدی نشي,
 Account: {0} is not permitted under Payment Entry,حساب: Pay 0} د تادیې ننوتلو لاندې اجازه نلري,
@@ -3582,7 +3567,6 @@
 Activity,فعالیت,
 Add / Manage Email Accounts.,Add / اداره ليک حسابونه.,
 Add Child,Add د ماشومانو د,
-Add Loan Security,د پور امنیت اضافه کړئ,
 Add Multiple,Add ګڼ,
 Add Participants,ګډون کونکي شامل کړئ,
 Add to Featured Item,په ب .ه شوي توکي کې اضافه کړئ,
@@ -3593,15 +3577,12 @@
 Address Line 1,پته کرښې 1,
 Addresses,Addresses,
 Admission End Date should be greater than Admission Start Date.,د داخلې پای نیټه باید د داخلې له پیل نیټې څخه لویه وي.,
-Against Loan,د پور په مقابل کې,
-Against Loan:,د پور په مقابل کې:,
 All,ټول,
 All bank transactions have been created,د بانک ټولې معاملې رامینځته شوي,
 All the depreciations has been booked,ټول تخفیف لیکل شوی,
 Allocation Expired!,د تخصیص موده پای ته ورسیده,
 Allow Resetting Service Level Agreement from Support Settings.,د ملاتړ ترتیبات څخه د خدماتو کچې کچې بیا تنظیم کولو ته اجازه ورکړئ.,
 Amount of {0} is required for Loan closure,د پور بندولو لپاره د {0} مقدار اړین دی,
-Amount paid cannot be zero,ورکړل شوې پیسې صفر نشي,
 Applied Coupon Code,نافذ کوپن کوډ,
 Apply Coupon Code,د کوپن کوډ پلي کړئ,
 Appointment Booking,د ګمارنې بکنگ,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,د رسیدو وخت محاسبه نشی کولی ځکه چې د موټر چلونکي پته ورکه ده.,
 Cannot Optimize Route as Driver Address is Missing.,لار نشي کولی مطلوب کړي ځکه چې د موټر چلوونکي پته ورکه ده.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,دنده {0 complete نشي بشپړولی ځکه چې د هغې پورې تړلې دندې {1} تکمیل / منسوخ شوی نه دی.,
-Cannot create loan until application is approved,پور نشي رامینځته کولی ترڅو غوښتنلیک تصویب شي,
 Cannot find a matching Item. Please select some other value for {0}.,کولی کوم ساری توکی ونه موندل. لورينه وکړئ د {0} يو شمېر نورو ارزښت ټاکي.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings",د توکي {0} لپاره په قطار کې b 1} د {2} څخه ډیر نشي. د ډیر بلینګ اجازه ورکولو لپاره ، مهرباني وکړئ د حسابونو ترتیباتو کې تخصیص وټاکئ,
 "Capacity Planning Error, planned start time can not be same as end time",د وړتیا پلان کولو غلطي ، د پیل شوي وخت وخت د پای وخت سره ورته کیدی نشي,
@@ -3812,20 +3792,9 @@
 Less Than Amount,له مقدار څخه کم,
 Liabilities,مسؤلیتونه,
 Loading...,Loading ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,د پور مقدار د وړاندیز شوي تضمینونو سره سم د پور له حد څخه تر {0} ډیر دی,
 Loan Applications from customers and employees.,د پیرودونکو او کارمندانو څخه پور غوښتنې.,
-Loan Disbursement,د پور توزیع,
 Loan Processes,د پور پروسې,
-Loan Security,د پور امنیت,
-Loan Security Pledge,د پور د امنیت ژمنه,
-Loan Security Pledge Created : {0},د پور د امنیت ژمنه جوړه شوه: {0},
-Loan Security Price,د پور امنیت قیمت,
-Loan Security Price overlapping with {0},د پور امنیت قیمت د {0 with سره پراخه کیږي,
-Loan Security Unpledge,د پور امنیت نه مني,
-Loan Security Value,د پور د امنیت ارزښت,
 Loan Type for interest and penalty rates,د سود او جریمې نرخونو لپاره پور پور,
-Loan amount cannot be greater than {0},د پور اندازه له {0 than څخه لوی نشي.,
-Loan is mandatory,پور لازمي دی,
 Loans,پورونه,
 Loans provided to customers and employees.,پیرودونکو او کارمندانو ته پورونه چمتو شوي.,
 Location,د ځای,
@@ -3894,7 +3863,6 @@
 Pay,د تنخاوو,
 Payment Document Type,د تادیه سند ډول,
 Payment Name,د تادیې نوم,
-Penalty Amount,د جریمې اندازه,
 Pending,په تمه,
 Performance,فعالیت,
 Period based On,موده په روانه ده,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,مهرباني وکړئ د دې توکي سمولو لپاره د بازار ځای کارونکي په توګه ننوځئ.,
 Please login as a Marketplace User to report this item.,مهرباني وکړئ د دې توکي راپور ورکولو لپاره د بازار ځای کارونکي په توګه ننوتل.,
 Please select <b>Template Type</b> to download template,مهرباني وکړئ د <b>ټیمپلیټ</b> ډاونلوډ لپاره د <b>ټیمپلیټ ډول</b> وټاکئ,
-Please select Applicant Type first,مهرباني وکړئ لومړی د غوښتونکي ډول وټاکئ,
 Please select Customer first,مهرباني وکړئ لومړی پیرودونکی وټاکئ,
 Please select Item Code first,مهرباني وکړئ لومړی د توکو کوډ غوره کړئ,
-Please select Loan Type for company {0},مهرباني وکړئ د شرکت لپاره د پور ډول وټاکئ {0},
 Please select a Delivery Note,مهرباني وکړئ د تحویلي یادداشت وټاکئ,
 Please select a Sales Person for item: {0},مهرباني وکړئ د توکو لپاره د پلور شخص وټاکئ: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',لطفا بل طریقه ټاکي. یاتوره په اسعارو د راکړې ورکړې ملاتړ نه کوي &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},مهرباني وکړئ د شرکت for 0} لپاره اصلي بانکي حساب تنظیم کړئ,
 Please specify,څرګند یي کړي,
 Please specify a {0},مهرباني وکړئ یو {0} وټاکئ,lead
-Pledge Status,ژمن دریځ,
-Pledge Time,ژمن وخت,
 Printing,د چاپونې,
 Priority,د لومړیتوب,
 Priority has been changed to {0}.,لومړیتوب په {0} بدل شوی دی.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,د XML فایلونو پروسس کول,
 Profitability,ګټه,
 Project,د پروژې د,
-Proposed Pledges are mandatory for secured Loans,وړاندیز شوې ژمنې د خوندي پورونو لپاره لازمي دي,
 Provide the academic year and set the starting and ending date.,تعلیمي کال چمتو کړئ او د پیل او پای نیټه یې وټاکئ.,
 Public token is missing for this bank,د دې بانک لپاره عامه نښه نده,
 Publish,خپرول,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,د پیرود رسید هیڅ توکی نلري د دې لپاره چې برقرار نمونه فعاله وي.,
 Purchase Return,رانيول Return,
 Qty of Finished Goods Item,د بشپړ شوي توکو توکي,
-Qty or Amount is mandatroy for loan security,مقدار یا مقدار د پور د امنیت لپاره لازمه ده,
 Quality Inspection required for Item {0} to submit,د توکي submit 0} د سپارلو لپاره د کیفیت تفتیش اړین دي,
 Quantity to Manufacture,مقدار تولید ته,
 Quantity to Manufacture can not be zero for the operation {0},د تولید لپاره مقدار د عملیاتو zero 0 for لپاره صفر نشي کیدی,
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,د نیټې نیټه باید د شاملیدو نیټې څخه لوی یا مساوي وي,
 Rename,نوم بدلول,
 Rename Not Allowed,نوم بدلول اجازه نلري,
-Repayment Method is mandatory for term loans,د لنډمهاله پورونو لپاره د تادیې میتود لازمي دی,
-Repayment Start Date is mandatory for term loans,د لنډمهاله پورونو لپاره د تادیې د پیل نیټه لازمي ده,
 Report Item,توکي راپور کړئ,
 Report this Item,دا توکي راپور کړئ,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,د فرعي تړون لپاره خوندي مقدار: د فرعي تړون شوي توکو جوړولو لپاره د خامو موادو مقدار.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},قطار ({0}): {1 already دمخه په {2 in کې تخفیف دی,
 Rows Added in {0},صفونه په {0 in اضافه شوي,
 Rows Removed in {0},قطارونه په {0 in کې لرې شوي,
-Sanctioned Amount limit crossed for {0} {1},د ټاکل شوي مقدار حد د {0} {1} لپاره تجاوز شو,
-Sanctioned Loan Amount already exists for {0} against company {1},د منل شوي پور مقدار مخکې د شرکت {1} پروړاندې د {0 for لپاره شتون لري,
 Save,Save,
 Save Item,توکي خوندي کړئ,
 Saved Items,خوندي شوي توکي,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,کارن {0} معلول دی,
 Users and Permissions,کارنان او حلال,
 Vacancies cannot be lower than the current openings,رخصتۍ د اوسني خلاصیدو څخه ټیټ نشي,
-Valid From Time must be lesser than Valid Upto Time.,د وخت څخه اعتبار باید تر وخت څخه لږ وي.,
 Valuation Rate required for Item {0} at row {1},د توکي {0 row لپاره په قطار {1} کې د ارزښت نرخ اړین دی,
 Values Out Of Sync,له همغږۍ وتلې ارزښتونه,
 Vehicle Type is required if Mode of Transport is Road,د ګاډو ډول اړین دی که د ټرانسپورټ حالت سړک وي,
@@ -4211,7 +4168,6 @@
 Add to Cart,کارټ ته یی اضافه کړه,
 Days Since Last Order,ورځې له وروستي امر څخه,
 In Stock,په ګدام کښي,
-Loan Amount is mandatory,د پور مقدار لازمي دی,
 Mode Of Payment,د تادیاتو اکر,
 No students Found,هیڅ زده کونکی ونه موندل شو,
 Not in Stock,نه په سټاک,
@@ -4240,7 +4196,6 @@
 Group by,ډله په,
 In stock,په ګدام کښي,
 Item name,د قالب نوم,
-Loan amount is mandatory,د پور مقدار لازمي دی,
 Minimum Qty,لږ تر لږه مقدار,
 More details,نورولوله,
 Nature of Supplies,د توکو طبیعت,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,ټول بشپړ شوی مقدار,
 Qty to Manufacture,Qty تولید,
 Repay From Salary can be selected only for term loans,د تنخوا څخه بیرته تادیه یوازې د مودې پورونو لپاره غوره کیدی شي,
-No valid Loan Security Price found for {0},د Security 0 for لپاره د اعتبار وړ د امنیت قیمت ندی موندل شوی,
-Loan Account and Payment Account cannot be same,د پور حساب او تادیه حساب یو شان نشي کیدی,
-Loan Security Pledge can only be created for secured loans,د پور امنیت ژمنه یوازې د خوندي پورونو لپاره رامینځته کیدی شي,
 Social Media Campaigns,د ټولنیزو رسنیو کمپاینونه,
 From Date can not be greater than To Date,له نیټې څخه نیټې تر نیټې نه لوی کیدی شي,
 Please set a Customer linked to the Patient,مهرباني وکړئ له ناروغ سره تړلی پیرودونکی وټاکئ,
@@ -6437,7 +6389,6 @@
 HR User,د بشري حقونو څانګې د کارن,
 Appointment Letter,د ګمارنې لیک,
 Job Applicant,دنده متقاضي,
-Applicant Name,متقاضي نوم,
 Appointment Date,د ګمارنې نیټه,
 Appointment Letter Template,د ګمارنې خط ټیمپلیټ,
 Body,بدن,
@@ -7059,99 +7010,12 @@
 Sync in Progress,په پرمختګ کې همکاري,
 Hub Seller Name,د پلور پلورونکی نوم,
 Custom Data,دودیز ډاټا,
-Member,غړی,
-Partially Disbursed,په نسبی ډول مصرف,
-Loan Closure Requested,د پور بندولو غوښتنه وشوه,
 Repay From Salary,له معاش ورکول,
-Loan Details,د پور نورولوله,
-Loan Type,د پور ډول,
-Loan Amount,د پور مقدار,
-Is Secured Loan,خوندي پور دی,
-Rate of Interest (%) / Year,د په زړه پوری (٪) / کال کچه,
-Disbursement Date,دویشلو نېټه,
-Disbursed Amount,ورکړل شوې پیسې,
-Is Term Loan,لنډمهاله پور دی,
-Repayment Method,دبيرته طريقه,
-Repay Fixed Amount per Period,هر دوره ثابته مقدار ورکول,
-Repay Over Number of Periods,بيرته د د پړاوونه شمیره,
-Repayment Period in Months,په میاشتو کې بیرته ورکړې دوره,
-Monthly Repayment Amount,میاشتنی پور بيرته مقدار,
-Repayment Start Date,د بیرته ورکولو تمدید نیټه,
-Loan Security Details,د پور د امنیت توضیحات,
-Maximum Loan Value,د پور ارزښت اعظمي ارزښت,
-Account Info,حساب پيژندنه,
-Loan Account,د پور حساب,
-Interest Income Account,په زړه د عوايدو د حساب,
-Penalty Income Account,د جریمې عاید حساب,
-Repayment Schedule,بیرته ورکړې مهالویش,
-Total Payable Amount,ټول د راتلوونکې مقدار,
-Total Principal Paid,بشپړه پرنسپل ورکړې,
-Total Interest Payable,ټولې ګټې د راتلوونکې,
-Total Amount Paid,ټولې پیسې ورکړل شوي,
-Loan Manager,د پور مدیر,
-Loan Info,د پور پيژندنه,
-Rate of Interest,د سود اندازه,
-Proposed Pledges,وړاندیز شوې ژمنې,
-Maximum Loan Amount,اعظمي پور مقدار,
-Repayment Info,دبيرته پيژندنه,
-Total Payable Interest,ټول د راتلوونکې په زړه پوری,
-Against Loan ,د پور په مقابل کې,
-Loan Interest Accrual,د پور د ګټې ګټې,
-Amounts,مقدارونه,
-Pending Principal Amount,د پرنسپل ارزښت پیسې,
-Payable Principal Amount,د تادیې وړ پیسې,
-Paid Principal Amount,تادیه شوې اصلي پیسې,
-Paid Interest Amount,د سود پیسې ورکړل شوې,
-Process Loan Interest Accrual,د پروسې د پور سود لاسته راوړل,
-Repayment Schedule Name,د بیرته تادیې مهالویش نوم,
 Regular Payment,منظم تادیه,
 Loan Closure,د پور تړل,
-Payment Details,د تاديې جزئيات,
-Interest Payable,سود ورکول,
-Amount Paid,پيسې ورکړل شوې,
-Principal Amount Paid,پرنسپل تادیه تادیه شوې,
-Repayment Details,د بیرته تادیاتو توضیحات,
-Loan Repayment Detail,د پور بیرته تادیه کول تفصیل,
-Loan Security Name,د پور امنیت نوم,
-Unit Of Measure,د اندازه کولو واحد,
-Loan Security Code,د پور امنیت کوډ,
-Loan Security Type,د پور امنیت ډول,
-Haircut %,ویښتان,
-Loan  Details,د پور توضیحات,
-Unpledged,نه ژمنه شوې,
-Pledged,ژمنه شوې,
-Partially Pledged,یو څه ژمنه شوې,
-Securities,امنیتونه,
-Total Security Value,د امنیت ټول ارزښت,
-Loan Security Shortfall,د پور امنیت کمښت,
-Loan ,پور,
-Shortfall Time,کمښت وخت,
-America/New_York,امریکا / نیو یارک,
-Shortfall Amount,د کمښت مقدار,
-Security Value ,امنیت ارزښت,
-Process Loan Security Shortfall,د پور پور امنیتي کمښت,
-Loan To Value Ratio,د ارزښت تناسب ته پور,
-Unpledge Time,د نه منلو وخت,
-Loan Name,د پور نوم,
 Rate of Interest (%) Yearly,د ګټې کچه)٪ (کلنی,
-Penalty Interest Rate (%) Per Day,په هره ورځ د جریمې د سود نرخ ()),
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,د جریمې د سود نرخ د پاتې تادیې په صورت کې هره ورځ د پاتې سود مقدار باندې وضع کیږي,
-Grace Period in Days,په ورځو کې د فضل موده,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,د ټاکلې نیټې څخه نیټې پورې چې د پور بیرته تادیه کې ځنډ په صورت کې جریمه نه اخلي,
-Pledge,ژمنه,
-Post Haircut Amount,د ویښتو کڅوړه وروسته پوسټ,
-Process Type,د پروسې ډول,
-Update Time,د اوسمهالولو وخت,
-Proposed Pledge,وړاندیز شوې ژمنه,
-Total Payment,ټول تاديه,
-Balance Loan Amount,د توازن د پور مقدار,
-Is Accrued,مصرف شوی دی,
 Salary Slip Loan,د معاش لپ ټاپ,
 Loan Repayment Entry,د پور بیرته تادیه کول,
-Sanctioned Loan Amount,د منل شوي پور مقدار,
-Sanctioned Amount Limit,ټاکل شوې اندازه محدودیت,
-Unpledge,بې هوښه کول,
-Haircut,ویښتان,
 MAT-MSH-.YYYY.-,MAT-MSH -YYYY-,
 Generate Schedule,تولید مهال ويش,
 Schedules,مهال ويش,
@@ -7885,7 +7749,6 @@
 Update Series,تازه لړۍ,
 Change the starting / current sequence number of an existing series.,د پیل / اوسني تسلسل کې د شته لړ شمېر کې بدلون راولي.,
 Prefix,هغه مختاړی,
-Current Value,اوسنی ارزښت,
 This is the number of the last created transaction with this prefix,دا په دې مختاړی د تېرو جوړ معامله شمیر,
 Update Series Number,تازه لړۍ شمېر,
 Quotation Lost Reason,د داوطلبۍ ورک دلیل,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,نورتسهیالت وړانديز شوي ترمیمي د ليول,
 Lead Details,سرب د نورولوله,
 Lead Owner Efficiency,مشري خاوند موثريت,
-Loan Repayment and Closure,د پور بیرته تادیه کول او بندول,
-Loan Security Status,د پور امنیت حالت,
 Lost Opportunity,فرصت له لاسه ورکړ,
 Maintenance Schedules,د ساتنې او ویش,
 Material Requests for which Supplier Quotations are not created,مادي غوښتنې د کوم لپاره چې عرضه Quotations دي جوړ نه,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},ټاکل شوې شمیرې: {0},
 Payment Account is mandatory,د تادیې حساب لازمي دی,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.",که چک شوی وي ، ټوله اندازه به د عایداتو مالیې محاسبه کولو دمخه پرته له کوم اعلان یا ثبوت وړاندې کولو څخه د مالیې عاید څخه وګرځول شي.,
-Disbursement Details,د توزیع توضیحات,
 Material Request Warehouse,د موادو غوښتنه ګودام,
 Select warehouse for material requests,د موادو غوښتنو لپاره ګودام غوره کړئ,
 Transfer Materials For Warehouse {0},د ګودام For 0 For لپاره توکي انتقال کړئ,
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,له تنخوا څخه نامعلومه اندازه پیسې بیرته ورکړئ,
 Deduction from salary,له معاش څخه تخفیف,
 Expired Leaves,ختم شوې پاvesې,
-Reference No,د,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,د ویښتو کښت سلنه د پور امنیت د بازار ارزښت او هغه پور امنیت ته ورته شوي ارزښت ترمنځ سلنه سلنه توپیر دی کله چې د دې پور لپاره د تضمین په توګه کارول کیږي.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,د ارزښت ارزښت تناسب د ژمنه شوي امنیت ارزښت سره د پور مقدار تناسب څرګندوي. د پور امنیت کمښت به رامینځته شي که چیرې دا د کوم پور لپاره ټاکل شوي ارزښت څخه ښکته راشي,
 If this is not checked the loan by default will be considered as a Demand Loan,که چیرې دا چک نه شي نو په ډیفالټ ډول به د غوښتنې پور په توګه وګ .ل شي,
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,دا حساب د پور ورکونکي څخه د پور بیرته تادیات کولو لپاره او هم پور اخیستونکي ته د پورونو توزیع لپاره کارول کیږي,
 This account is capital account which is used to allocate capital for loan disbursal account ,دا حساب د پانګوونې حساب دی چې د پور توزیع شوي حساب لپاره د پانګو ځانګړي کولو لپاره کارول کیږي,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},عملیات {0} د کار له حکم سره تړاو نه لري {1},
 Print UOM after Quantity,د مقدار وروسته UOM چاپ کړئ,
 Set default {0} account for perpetual inventory for non stock items,د غیر سټاک توکو لپاره د تلپاتې انوینټري لپاره ډیفالټ {0} حساب تنظیم کړئ,
-Loan Security {0} added multiple times,د پور امنیت multiple 0} څو ځله اضافه کړ,
-Loan Securities with different LTV ratio cannot be pledged against one loan,د LTV مختلف تناسب سره د پور تضمین د یو پور په وړاندې ژمنه نشي کیدلی,
-Qty or Amount is mandatory for loan security!,مقدار یا مقدار د پور د امنیت لپاره لازمي دی!,
-Only submittted unpledge requests can be approved,یوازې سپارل شوې غیر موافقې غوښتنې تصویب کیدی شي,
-Interest Amount or Principal Amount is mandatory,د سود مقدار یا اصلي مقدار لازمي دی,
-Disbursed Amount cannot be greater than {0},ورکړل شوې پیسې له {0 than څخه لوی نشي.,
-Row {0}: Loan Security {1} added multiple times,قطار {0}: د پور امنیت {1 multiple څو ځله اضافه شو,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,قطار # {0}: د ماشوم توکي باید د محصول بنډل نه وي. مهرباني وکړئ توکي {1} لرې کړئ او خوندي کړئ,
 Credit limit reached for customer {0},د پیرودونکي لپاره د اعتبار حد حد ته ورسید {0 {,
 Could not auto create Customer due to the following missing mandatory field(s):,د لاندې ورک شوي لازمي ساحې (ګانو) له امله پیرودونکي نشي جوړولی:,
diff --git a/erpnext/translations/pt-BR.csv b/erpnext/translations/pt-BR.csv
index 551a852..3843834 100644
--- a/erpnext/translations/pt-BR.csv
+++ b/erpnext/translations/pt-BR.csv
@@ -12,7 +12,7 @@
 'To Date' is required,'Data Final' é necessária,
 'Total',';Total';,
 'Update Stock' can not be checked because items are not delivered via {0},'Atualização do Estoque' não pode ser verificado porque os itens não são entregues via {0},
-'Update Stock' cannot be checked for fixed asset sale,"'Atualizar Estoque' não pode ser selecionado para venda de ativo fixo",
+'Update Stock' cannot be checked for fixed asset sale,'Atualizar Estoque' não pode ser selecionado para venda de ativo fixo,
 ) for {0},) para {0},
 1 exact match.,1 correspondência exata.,
 90-Above,Acima de 90,
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Aplicável se a empresa for SpA, SApA ou SRL",
 Applicable if the company is a limited liability company,Aplicável se a empresa for uma sociedade de responsabilidade limitada,
 Applicable if the company is an Individual or a Proprietorship,Aplicável se a empresa é um indivíduo ou uma propriedade,
-Applicant,Candidato,
-Applicant Type,Tipo de Candidato,
 Application of Funds (Assets),Aplicação de Recursos (ativos),
 Application period cannot be across two allocation records,O período de aplicação não pode ser realizado em dois registros de alocação,
 Application period cannot be outside leave allocation period,Período de aplicação não pode estar fora do período de atribuição de licença,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Lista de accionistas disponíveis com números folio,
 Loading Payment System,Sistema de Pagamento de Carregamento,
 Loan,Empréstimo,
-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},
-Loan Application,Pedido de Empréstimo,
-Loan Management,Gestão de Empréstimos,
-Loan Repayment,Pagamento do Empréstimo,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Data de Início do Empréstimo e Período do Empréstimo são obrigatórios para salvar o Desconto da Fatura,
 Loans (Liabilities),Empréstimos (passivo),
 Loans and Advances (Assets),Empréstimos e Adiantamentos (ativos),
@@ -1611,7 +1605,6 @@
 Monday,Segunda-feira,
 Monthly,Mensal,
 Monthly Distribution,Distribuição Mensal,
-Monthly Repayment Amount cannot be greater than Loan Amount,Mensal Reembolso Valor não pode ser maior do que o valor do empréstimo,
 More,Mais,
 More Information,Mais Informações,
 More than one selection for {0} not allowed,Mais de uma seleção para {0} não permitida,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Pague {0} {1},
 Payable,A Pagar,
 Payable Account,Conta Para Pagamento,
-Payable Amount,Valor a Pagar,
 Payment,Pagamento,
 Payment Cancelled. Please check your GoCardless Account for more details,Pagamento cancelado. Por favor verifique a sua conta GoCardless para mais detalhes,
 Payment Confirmation,Confirmação de Pagamento,
-Payment Date,Data de Pagamento,
 Payment Days,Datas de Pagamento,
 Payment Document,Documento de Pagamento,
 Payment Due Date,Data de Vencimento,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,Digite Recibo de compra primeiro,
 Please enter Receipt Document,Por favor insira o Documento de Recibo,
 Please enter Reference date,Por favor indique data de referência,
-Please enter Repayment Periods,Por favor indique períodos de reembolso,
 Please enter Reqd by Date,Digite Reqd by Date,
 Please enter Woocommerce Server URL,Por favor indique o URL do servidor de Woocommerce,
 Please enter Write Off Account,Por favor indique a conta de abatimento,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,Por favor entre o centro de custo pai,
 Please enter quantity for Item {0},Por favor indique a quantidade de item {0},
 Please enter relieving date.,Por favor indique data da liberação.,
-Please enter repayment Amount,Por favor indique reembolso Valor,
 Please enter valid Financial Year Start and End Dates,Por favor indique datas inicial e final válidas do Ano Financeiro,
 Please enter valid email address,Por favor insira o endereço de e-mail válido,
 Please enter {0} first,Por favor indique {0} primeiro,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,As regras de tarifação são ainda filtrados com base na quantidade.,
 Primary Address Details,Detalhes Principais do Endereço,
 Primary Contact Details,Detalhes Principais de Contato,
-Principal Amount,Valor Principal,
 Print Format,Formato de Impressão,
 Print IRS 1099 Forms,Imprimir Formulários do Irs 1099,
 Print Report Card,Imprimir Boletim,
@@ -2550,7 +2538,6 @@
 Sample Collection,Coleção de Amostras,
 Sample quantity {0} cannot be more than received quantity {1},A quantidade de amostra {0} não pode ser superior à quantidade recebida {1},
 Sanctioned,Liberada,
-Sanctioned Amount,Valor Liberado,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Montante Liberado não pode ser maior do que no Pedido de Reembolso na linha {0}.,
 Sand,Areia,
 Saturday,Sábado,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} já tem um procedimento pai {1}.,
 API,API,
 Annual,Anual,
-Approved,Aprovado,
 Change,Alteração,
 Contact Email,Email de Contato,
 Export Type,Tipo de Exportação,
@@ -3571,7 +3557,6 @@
 Account Value,Valor da Conta,
 Account is mandatory to get payment entries,A conta é obrigatória para obter entradas de pagamento,
 Account is not set for the dashboard chart {0},A conta não está definida para o gráfico do painel {0},
-Account {0} does not belong to company {1},A conta {0} não pertence à empresa {1},
 Account {0} does not exists in the dashboard chart {1},A conta {0} não existe no gráfico do painel {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Conta: <b>{0}</b> é capital em andamento e não pode ser atualizado pela entrada de diário,
 Account: {0} is not permitted under Payment Entry,Conta: {0} não é permitida em Entrada de pagamento,
@@ -3582,7 +3567,6 @@
 Activity,Atividade,
 Add / Manage Email Accounts.,Adicionar / Gerenciar Contas de Email.,
 Add Child,Adicionar Sub-item,
-Add Loan Security,Adicionar Garantia ao Empréstimo,
 Add Multiple,Adicionar Múltiplos,
 Add Participants,Adicione Participantes,
 Add to Featured Item,Adicionar Ao Item Em Destaque,
@@ -3593,15 +3577,12 @@
 Address Line 1,Endereço,
 Addresses,Endereços,
 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.,
-Against Loan,Contra Empréstimo,
-Against Loan:,Contra Empréstimo:,
 All,Todos,
 All bank transactions have been created,Todas as transações bancárias foram criadas,
 All the depreciations has been booked,Todas as depreciações foram registradas,
 Allocation Expired!,Alocação Expirada!,
 Allow Resetting Service Level Agreement from Support Settings.,Permitir redefinir o contrato de nível de serviço das configurações de suporte.,
 Amount of {0} is required for Loan closure,É necessário um valor de {0} para o fechamento do empréstimo,
-Amount paid cannot be zero,O valor pago não pode ser zero,
 Applied Coupon Code,Código de Cupom Aplicado,
 Apply Coupon Code,Aplicar Código de Cupom,
 Appointment Booking,Marcação de Consultas,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,Não É Possível Calcular o Horário de Chegada Pois o Endereço do Driver Está Ausente.,
 Cannot Optimize Route as Driver Address is Missing.,Não É Possível Otimizar a Rota Pois o Endereço do Driver Está Ausente.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Não é possível concluir a tarefa {0} pois sua tarefa dependente {1} não está concluída / cancelada.,
-Cannot create loan until application is approved,Não é possível criar empréstimo até que o aplicativo seja aprovado,
 Cannot find a matching Item. Please select some other value for {0}.,Não consegue encontrar um item correspondente. Por favor selecione algum outro valor para {0}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Não é possível exceder o item {0} na linha {1} mais que {2}. Para permitir cobrança excessiva, defina a permissão nas Configurações de contas",
 "Capacity Planning Error, planned start time can not be same as end time","Erro de planejamento de capacidade, a hora de início planejada não pode ser igual à hora de término",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Menos Que Quantidade,
 Liabilities,Passivo,
 Loading...,Carregando...,
-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 as garantias propostas,
 Loan Applications from customers and employees.,Pedidos de empréstimo de clientes e funcionários.,
-Loan Disbursement,Desembolso de Empréstimos,
 Loan Processes,Processos de Empréstimos,
-Loan Security,Garantias de Empréstimo,
-Loan Security Pledge,Gravame da Garantia de Empréstimo,
-Loan Security Pledge Created : {0},Gravame da Garantia do Empréstimo Criada: {0},
-Loan Security Price,Preço da Garantia do Empréstimo,
-Loan Security Price overlapping with {0},Preço da Garantia do Empréstimo sobreposto com {0},
-Loan Security Unpledge,Liberação da Garantia de Empréstimo,
-Loan Security Value,Valor da Garantia do Empréstimo,
 Loan Type for interest and penalty rates,Tipo de empréstimo para taxas de juros e multas,
-Loan amount cannot be greater than {0},O valor do empréstimo não pode ser maior que {0},
-Loan is mandatory,O empréstimo é obrigatório,
 Loans,Empréstimos,
 Loans provided to customers and employees.,Empréstimos concedidos a clientes e funcionários.,
 Location,Localização,
@@ -3894,7 +3863,6 @@
 Pay,Pagar,
 Payment Document Type,Tipo de Documento de Pagamento,
 Payment Name,Nome do Pagamento,
-Penalty Amount,Valor da Penalidade,
 Pending,Pendente,
 Performance,Atuação,
 Period based On,Período baseado em,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,Faça o login como um usuário do Marketplace para editar este item.,
 Please login as a Marketplace User to report this item.,Faça o login como usuário do Marketplace para relatar este item.,
 Please select <b>Template Type</b> to download template,Selecione <b>Tipo</b> de modelo para fazer o download do modelo,
-Please select Applicant Type first,Selecione primeiro o tipo de candidato,
 Please select Customer first,Por favor selecione o Cliente primeiro,
 Please select Item Code first,Selecione primeiro o código do item,
-Please select Loan Type for company {0},Selecione Tipo de empréstimo para a empresa {0},
 Please select a Delivery Note,Selecione uma nota de entrega,
 Please select a Sales Person for item: {0},Selecione um vendedor para o item: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Selecione outro método de pagamento. Stripe não suporta transações em moeda ';{0}';,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Por favor configure uma conta bancária padrão para a empresa {0},
 Please specify,Por favor especifique,
 Please specify a {0},Por favor especifique um {0},lead
-Pledge Status,Status da Promessa,
-Pledge Time,Tempo da Promessa,
 Printing,Impressão,
 Priority,Prioridade,
 Priority has been changed to {0}.,A prioridade foi alterada para {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Processando Arquivos Xml,
 Profitability,Rentabilidade,
 Project,Projeto,
-Proposed Pledges are mandatory for secured Loans,As promessas propostas são obrigatórias para empréstimos garantidos,
 Provide the academic year and set the starting and ending date.,Forneça o ano acadêmico e defina as datas inicial e final.,
 Public token is missing for this bank,O token público está em falta neste banco,
 Publish,Publicar,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,O recibo de compra não possui nenhum item para o qual a opção Retain Sample esteja ativada.,
 Purchase Return,Devolução de Compra,
 Qty of Finished Goods Item,Quantidade de Item de Produtos Acabados,
-Qty or Amount is mandatroy for loan security,Quantidade ou quantidade é mandatroy para garantia de empréstimo,
 Quality Inspection required for Item {0} to submit,Inspeção de qualidade necessária para o item {0} enviar,
 Quantity to Manufacture,Quantidade a Fabricar,
 Quantity to Manufacture can not be zero for the operation {0},A quantidade a fabricar não pode ser zero para a operação {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,A Data de Alívio deve ser maior ou igual à Data de Ingresso,
 Rename,Renomear,
 Rename Not Allowed,Renomear Não Permitido,
-Repayment Method is mandatory for term loans,O método de reembolso é obrigatório para empréstimos a prazo,
-Repayment Start Date is mandatory for term loans,A data de início do reembolso é obrigatória para empréstimos a prazo,
 Report Item,Item de Relatorio,
 Report this Item,Denunciar este item,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Quantidade reservada para subcontratação: quantidade de matérias-primas para fazer itens subcontratados.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Linha ({0}): {1} já está com desconto em {2},
 Rows Added in {0},Linhas Adicionadas Em {0},
 Rows Removed in {0},Linhas Removidas Em {0},
-Sanctioned Amount limit crossed for {0} {1},Limite do valor sancionado cruzado para {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},O montante do empréstimo sancionado já existe para {0} contra a empresa {1},
 Save,Salvar,
 Save Item,Salvar Item,
 Saved Items,Itens Salvos,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Usuário {0} está desativado,
 Users and Permissions,Usuários e Permissões,
 Vacancies cannot be lower than the current openings,As vagas não podem ser inferiores às aberturas atuais,
-Valid From Time must be lesser than Valid Upto Time.,O Valid From Time deve ser menor que o Valid Upto Time.,
 Valuation Rate required for Item {0} at row {1},Taxa de avaliação necessária para o item {0} na linha {1},
 Values Out Of Sync,Valores Fora de Sincronia,
 Vehicle Type is required if Mode of Transport is Road,O tipo de veículo é obrigatório se o modo de transporte for rodoviário,
@@ -4211,7 +4168,6 @@
 Add to Cart,Adicionar Ao Carrinho,
 Days Since Last Order,Dias Desde a Última Compra,
 In Stock,Em Estoque,
-Loan Amount is mandatory,Montante do empréstimo é obrigatório,
 Mode Of Payment,Forma de Pagamento,
 No students Found,Nenhum Aluno Encontrado,
 Not in Stock,Esgotado,
@@ -4240,7 +4196,6 @@
 Group by,Agrupar Por,
 In stock,Em Estoque,
 Item name,Nome do item,
-Loan amount is mandatory,Montante do empréstimo é obrigatório,
 Minimum Qty,Qtd Mínima,
 More details,Mais detalhes,
 Nature of Supplies,Natureza Dos Suprimentos,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Total de Qtd Concluído,
 Qty to Manufacture,Qtde Para Fabricar,
 Repay From Salary can be selected only for term loans,Reembolso do salário pode ser selecionado apenas para empréstimos a prazo,
-No valid Loan Security Price found for {0},Nenhuma Garantia de Empréstimo válida encontrado para {0},
-Loan Account and Payment Account cannot be same,A conta de empréstimo e a conta de pagamento não podem ser iguais,
-Loan Security Pledge can only be created for secured loans,O Gravame de Garantia de Empréstimo só pode ser criado para empréstimos com garantias,
 Social Media Campaigns,Campanhas de Mídia Social,
 From Date can not be greater than To Date,A data inicial não pode ser maior que a data final,
 Please set a Customer linked to the Patient,Defina um cliente vinculado ao paciente,
@@ -6437,7 +6389,6 @@
 HR User,Usuário do Rh,
 Appointment Letter,Carta de Nomeação,
 Job Applicant,Candidato À Vaga,
-Applicant Name,Nome do Candidato,
 Appointment Date,Data do Encontro,
 Appointment Letter Template,Modelo de Carta de Nomeação,
 Body,Corpo,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Sincronização Em Andamento,
 Hub Seller Name,Nome do Vendedor do Hub,
 Custom Data,Dados Personalizados,
-Member,Membro,
-Partially Disbursed,Parcialmente Desembolso,
-Loan Closure Requested,Solicitação de Encerramento de Empréstimo,
 Repay From Salary,Reembolsar a Partir de Salário,
-Loan Details,Detalhes do Empréstimo,
-Loan Type,Tipo de Empréstimo,
-Loan Amount,Valor do Empréstimo,
-Is Secured Loan,É Empréstimo Garantido,
-Rate of Interest (%) / Year,Taxa de Juros (%) / Ano,
-Disbursement Date,Data do Desembolso,
-Disbursed Amount,Montante Desembolsado,
-Is Term Loan,É Empréstimo a Prazo,
-Repayment Method,Método de Reembolso,
-Repay Fixed Amount per Period,Pagar Quantia Fixa Por Período,
-Repay Over Number of Periods,Reembolsar Ao Longo Número de Períodos,
-Repayment Period in Months,Período de Reembolso Em Meses,
-Monthly Repayment Amount,Valor da Parcela Mensal,
-Repayment Start Date,Data de Início do Reembolso,
-Loan Security Details,Detalhes da Garantia do Empréstimo,
-Maximum Loan Value,Valor Máximo do Empréstimo,
-Account Info,Informações da Conta,
-Loan Account,Conta de Empréstimo,
-Interest Income Account,Conta Margem,
-Penalty Income Account,Conta de Rendimentos de Penalidades,
-Repayment Schedule,Agenda de Pagamentos,
-Total Payable Amount,Total a Pagar,
-Total Principal Paid,Total do Principal Pago,
-Total Interest Payable,Interesse Total a Pagar,
-Total Amount Paid,Valor Total Pago,
-Loan Manager,Gerente de Empréstimos,
-Loan Info,Informações do Empréstimo,
-Rate of Interest,Taxa de Juros,
-Proposed Pledges,Promessas Propostas,
-Maximum Loan Amount,Valor Máximo de Empréstimo,
-Repayment Info,Informações de Reembolso,
-Total Payable Interest,Total de Juros a Pagar,
-Against Loan ,Contra Empréstimo,
-Loan Interest Accrual,Provisão Para Juros de Empréstimos,
-Amounts,Montantes,
-Pending Principal Amount,Montante Principal Pendente,
-Payable Principal Amount,Montante Principal a Pagar,
-Paid Principal Amount,Valor Principal Pago,
-Paid Interest Amount,Montante de Juros Pagos,
-Process Loan Interest Accrual,Processar Provisão de Juros de Empréstimo,
-Repayment Schedule Name,Nome do Cronograma de Reembolso,
 Regular Payment,Pagamento Frequente,
 Loan Closure,Fechamento de Empréstimo,
-Payment Details,Detalhes do Pagamento,
-Interest Payable,Juros a Pagar,
-Amount Paid,Montante Pago,
-Principal Amount Paid,Montante Principal Pago,
-Repayment Details,Detalhes de Reembolso,
-Loan Repayment Detail,Detalhe de Reembolso de Empréstimo,
-Loan Security Name,Nome da Garantia do Empréstimo,
-Unit Of Measure,Unidade de Medida,
-Loan Security Code,Código da Garantia do Empréstimo,
-Loan Security Type,Tipo de Garantia de Empréstimo,
-Haircut %,% de corte de cabelo,
-Loan  Details,Detalhes do Empréstimo,
-Unpledged,Unpledged,
-Pledged,Prometido,
-Partially Pledged,Parcialmente Comprometido,
-Securities,Valores Mobiliários,
-Total Security Value,Valor Total de Garantias,
-Loan Security Shortfall,Déficit na Garantia do Empréstimo,
-Loan ,Empréstimo,
-Shortfall Time,Tempo de Déficit,
-America/New_York,America/New_york,
-Shortfall Amount,Quantidade de Déficit,
-Security Value ,Valor de Segurança,
-Process Loan Security Shortfall,Processar Déficit na Garantia do Empréstimo,
-Loan To Value Ratio,Relação Empréstimo / Valor,
-Unpledge Time,Tempo de Liberação,
-Loan Name,Nome do Empréstimo,
 Rate of Interest (%) Yearly,Taxa de Juros (%) Anual,
-Penalty Interest Rate (%) Per Day,Taxa de Juros de Penalidade (%) Por Dia,
-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,
-Grace Period in Days,Período de Carência Em Dias,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,Número de dias a partir da data de vencimento até os quais a multa não será cobrada em caso de atraso no reembolso do empréstimo,
-Pledge,Juramento,
-Post Haircut Amount,Quantidade de Corte de Cabelo,
-Process Type,Tipo de Processo,
-Update Time,Tempo de Atualização,
-Proposed Pledge,Promessa Proposta,
-Total Payment,Pagamento Total,
-Balance Loan Amount,Saldo do Empréstimo,
-Is Accrued,É acumulado,
 Salary Slip Loan,Empréstimo Salarial,
 Loan Repayment Entry,Entrada de Reembolso de Empréstimo,
-Sanctioned Loan Amount,Montante do Empréstimo Sancionado,
-Sanctioned Amount Limit,Limite de Quantidade Sancionada,
-Unpledge,Prometer,
-Haircut,Corte de Cabelo,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Gerar Agenda,
 Schedules,Horários,
@@ -7885,7 +7749,6 @@
 Update Series,Atualizar Séries,
 Change the starting / current sequence number of an existing series.,Alterar o número sequencial de início/atual de uma série existente.,
 Prefix,Prefixo,
-Current Value,Valor Atual,
 This is the number of the last created transaction with this prefix,Este é o número da última transação criada com este prefixo,
 Update Series Number,Atualizar Números de Séries,
 Quotation Lost Reason,Motivo da Perda do Orçamento,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Níves de Reposição Recomendados Por Item,
 Lead Details,Detalhes do Lead,
 Lead Owner Efficiency,Eficiência do Proprietário de Leads,
-Loan Repayment and Closure,Reembolso e Encerramento de Empréstimos,
-Loan Security Status,Status da Garantia do Empréstimo,
 Lost Opportunity,Oportunidade Perdida,
 Maintenance Schedules,Horários de Manutenção,
 Material Requests for which Supplier Quotations are not created,Itens Requisitados mas não Cotados,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Contagens Direcionadas: {0},
 Payment Account is mandatory,A conta de pagamento é obrigatória,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Se marcada, o valor total será deduzido do lucro tributável antes do cálculo do imposto de renda, sem qualquer declaração ou apresentação de comprovante.",
-Disbursement Details,Detalhes de Desembolso,
 Material Request Warehouse,Armazém de Solicitação de Material,
 Select warehouse for material requests,Selecione o armazém para pedidos de material,
 Transfer Materials For Warehouse {0},Transferir Materiais Para Armazém {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Reembolsar quantia não reclamada do salário,
 Deduction from salary,Dedução do salário,
 Expired Leaves,Folhas Vencidas,
-Reference No,Nº de Referência,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,A porcentagem de haircut é a diferença percentual entre o valor de mercado da Garantia de Empréstimo e o valor atribuído a essa Garantia de Empréstimo quando usado como colateral para aquele empréstimo.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,A relação entre o valor do empréstimo e a garantia do empréstimo expressa a relação entre o valor do empréstimo e o valor da garantia oferecida. Um déficit de garantia de empréstimo será acionado se cair abaixo do valor especificado para qualquer empréstimo,
 If this is not checked the loan by default will be considered as a Demand Loan,Se esta opção não for marcada o empréstimo por padrão será considerado um empréstimo à vista,
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Esta conta é usada para registrar reembolsos de empréstimos do mutuário e também desembolsar empréstimos para o mutuário,
 This account is capital account which is used to allocate capital for loan disbursal account ,Esta conta é a conta de capital que é usada para alocar capital para a conta de desembolso do empréstimo,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},A operação {0} não pertence à ordem de serviço {1},
 Print UOM after Quantity,Imprimir UOM após a quantidade,
 Set default {0} account for perpetual inventory for non stock items,Definir conta {0} padrão para estoque permanente para itens fora de estoque,
-Loan Security {0} added multiple times,Garantia de Empréstimo {0} adicionada várias vezes,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Garantia de Empréstimo com taxa de LTV diferente não podem ser garantidos por um empréstimo,
-Qty or Amount is mandatory for loan security!,Qty or Amount é obrigatório para garantia de empréstimo!,
-Only submittted unpledge requests can be approved,Somente solicitações de cancelamento de garantia enviadas podem ser aprovadas,
-Interest Amount or Principal Amount is mandatory,O valor dos juros ou o valor do principal são obrigatórios,
-Disbursed Amount cannot be greater than {0},O valor desembolsado não pode ser maior que {0},
-Row {0}: Loan Security {1} added multiple times,Linha {0}: Garantia de empréstimo {1} adicionada várias vezes,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Linha # {0}: o item filho não deve ser um pacote de produtos. Remova o item {1} e salve,
 Credit limit reached for customer {0},Limite de crédito atingido para o cliente {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Não foi possível criar automaticamente o cliente devido aos seguintes campos obrigatórios ausentes:,
diff --git a/erpnext/translations/pt.csv b/erpnext/translations/pt.csv
index 7938906..0581788 100644
--- a/erpnext/translations/pt.csv
+++ b/erpnext/translations/pt.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Aplicável se a empresa for SpA, SApA ou SRL",
 Applicable if the company is a limited liability company,Aplicável se a empresa for uma sociedade de responsabilidade limitada,
 Applicable if the company is an Individual or a Proprietorship,Aplicável se a empresa é um indivíduo ou uma propriedade,
-Applicant,Candidato,
-Applicant Type,Tipo de candidato,
 Application of Funds (Assets),Aplicação de Fundos (Ativos),
 Application period cannot be across two allocation records,O período de aplicação não pode ser realizado em dois registros de alocação,
 Application period cannot be outside leave allocation period,O período do pedido não pode estar fora do período de atribuição de licença,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Lista de accionistas disponíveis com números folio,
 Loading Payment System,Sistema de pagamento de carregamento,
 Loan,Empréstimo,
-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},
-Loan Application,Pedido de Empréstimo,
-Loan Management,Gestão de Empréstimos,
-Loan Repayment,Pagamento de empréstimo,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Data de Início do Empréstimo e Período do Empréstimo são obrigatórios para salvar o Desconto da Fatura,
 Loans (Liabilities),Empréstimos (Passivo),
 Loans and Advances (Assets),Empréstimos e Adiantamentos (Ativos),
@@ -1611,7 +1605,6 @@
 Monday,Segunda-feira,
 Monthly,Mensal,
 Monthly Distribution,Distribuição Mensal,
-Monthly Repayment Amount cannot be greater than Loan Amount,Mensal Reembolso Valor não pode ser maior do que o valor do empréstimo,
 More,Mais,
 More Information,Mais Informação,
 More than one selection for {0} not allowed,Mais de uma seleção para {0} não permitida,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Pague {0} {1},
 Payable,A pagar,
 Payable Account,Conta a Pagar,
-Payable Amount,Valor a Pagar,
 Payment,Pagamento,
 Payment Cancelled. Please check your GoCardless Account for more details,"Pagamento cancelado. Por favor, verifique a sua conta GoCardless para mais detalhes",
 Payment Confirmation,Confirmação de pagamento,
-Payment Date,Data de pagamento,
 Payment Days,Dias de pagamento,
 Payment Document,Documento de pagamento,
 Payment Due Date,Data Limite de Pagamento,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,"Por favor, insira primeiro o Recibo de Compra",
 Please enter Receipt Document,"Por favor, insira o Documento de Recepção",
 Please enter Reference date,"Por favor, insira a Data de referência",
-Please enter Repayment Periods,"Por favor, indique períodos de reembolso",
 Please enter Reqd by Date,Digite Reqd by Date,
 Please enter Woocommerce Server URL,"Por favor, indique o URL do servidor de Woocommerce",
 Please enter Write Off Account,"Por favor, insira a Conta de Liquidação",
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,"Por favor, insira o centro de custos principal",
 Please enter quantity for Item {0},"Por favor, insira a quantidade para o Item {0}",
 Please enter relieving date.,"Por favor, insira a data de saída.",
-Please enter repayment Amount,"Por favor, indique reembolso Valor",
 Please enter valid Financial Year Start and End Dates,"Por favor, insira as datas de Início e Término do Ano Fiscal",
 Please enter valid email address,Por favor insira o endereço de e-mail válido,
 Please enter {0} first,"Por favor, insira {0} primeiro",
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,As Regras de Fixação de Preços são filtradas adicionalmente com base na quantidade.,
 Primary Address Details,Detalhes principais do endereço,
 Primary Contact Details,Detalhes principais de contato,
-Principal Amount,Quantia principal,
 Print Format,Formato de Impressão,
 Print IRS 1099 Forms,Imprimir formulários do IRS 1099,
 Print Report Card,Imprimir boletim,
@@ -2550,7 +2538,6 @@
 Sample Collection,Coleção de amostras,
 Sample quantity {0} cannot be more than received quantity {1},A quantidade de amostra {0} não pode ser superior à quantidade recebida {1},
 Sanctioned,sancionada,
-Sanctioned Amount,Quantidade Sancionada,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,O Montante Sancionado não pode ser maior do que o Montante de Reembolso na Fila {0}.,
 Sand,Areia,
 Saturday,Sábado,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} já tem um procedimento pai {1}.,
 API,API,
 Annual,Anual,
-Approved,Aprovado,
 Change,mudança,
 Contact Email,Email de Contacto,
 Export Type,Tipo de exportação,
@@ -3571,7 +3557,6 @@
 Account Value,Valor da conta,
 Account is mandatory to get payment entries,A conta é obrigatória para obter entradas de pagamento,
 Account is not set for the dashboard chart {0},A conta não está definida para o gráfico do painel {0},
-Account {0} does not belong to company {1},A conta {0} não pertence à empresa {1},
 Account {0} does not exists in the dashboard chart {1},A conta {0} não existe no gráfico do painel {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Conta: <b>{0}</b> é capital em andamento e não pode ser atualizado pela entrada de diário,
 Account: {0} is not permitted under Payment Entry,Conta: {0} não é permitida em Entrada de pagamento,
@@ -3582,7 +3567,6 @@
 Activity,Atividade,
 Add / Manage Email Accounts.,Adicionar / Gerir Contas de Email.,
 Add Child,Adicionar Subgrupo,
-Add Loan Security,Adicionar segurança de empréstimo,
 Add Multiple,Adicionar Múltiplos,
 Add Participants,Adicione participantes,
 Add to Featured Item,Adicionar ao item em destaque,
@@ -3593,15 +3577,12 @@
 Address Line 1,Endereço Linha 1,
 Addresses,Endereços,
 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.,
-Against Loan,Contra Empréstimo,
-Against Loan:,Contra Empréstimo:,
 All,Todos,
 All bank transactions have been created,Todas as transações bancárias foram criadas,
 All the depreciations has been booked,Todas as depreciações foram registradas,
 Allocation Expired!,Alocação expirada!,
 Allow Resetting Service Level Agreement from Support Settings.,Permitir redefinir o contrato de nível de serviço das configurações de suporte.,
 Amount of {0} is required for Loan closure,É necessário um valor de {0} para o fechamento do empréstimo,
-Amount paid cannot be zero,O valor pago não pode ser zero,
 Applied Coupon Code,Código de cupom aplicado,
 Apply Coupon Code,Aplicar código de cupom,
 Appointment Booking,Marcação de consultas,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,"Não é possível calcular o horário de chegada, pois o endereço do driver está ausente.",
 Cannot Optimize Route as Driver Address is Missing.,"Não é possível otimizar a rota, pois o endereço do driver está ausente.",
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Não é possível concluir a tarefa {0}, pois sua tarefa dependente {1} não está concluída / cancelada.",
-Cannot create loan until application is approved,Não é possível criar empréstimo até que o aplicativo seja aprovado,
 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}.",
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Não é possível exceder o item {0} na linha {1} mais que {2}. Para permitir cobrança excessiva, defina a permissão nas Configurações de contas",
 "Capacity Planning Error, planned start time can not be same as end time","Erro de planejamento de capacidade, a hora de início planejada não pode ser igual à hora de término",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Menos que quantidade,
 Liabilities,Passivo,
 Loading...,A Carregar...,
-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",
 Loan Applications from customers and employees.,Pedidos de empréstimo de clientes e funcionários.,
-Loan Disbursement,Desembolso de Empréstimos,
 Loan Processes,Processos de Empréstimos,
-Loan Security,Segurança de Empréstimos,
-Loan Security Pledge,Garantia de Empréstimo,
-Loan Security Pledge Created : {0},Promessa de segurança do empréstimo criada: {0},
-Loan Security Price,Preço da garantia do empréstimo,
-Loan Security Price overlapping with {0},Preço do título de empréstimo sobreposto com {0},
-Loan Security Unpledge,Garantia de Empréstimo,
-Loan Security Value,Valor da segurança do empréstimo,
 Loan Type for interest and penalty rates,Tipo de empréstimo para taxas de juros e multas,
-Loan amount cannot be greater than {0},O valor do empréstimo não pode ser maior que {0},
-Loan is mandatory,O empréstimo é obrigatório,
 Loans,Empréstimos,
 Loans provided to customers and employees.,Empréstimos concedidos a clientes e funcionários.,
 Location,Localização,
@@ -3894,7 +3863,6 @@
 Pay,Pagar,
 Payment Document Type,Tipo de documento de pagamento,
 Payment Name,Nome do pagamento,
-Penalty Amount,Valor da penalidade,
 Pending,Pendente,
 Performance,atuação,
 Period based On,Período baseado em,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,Faça o login como um usuário do Marketplace para editar este item.,
 Please login as a Marketplace User to report this item.,Faça o login como usuário do Marketplace para relatar este item.,
 Please select <b>Template Type</b> to download template,Selecione <b>Tipo</b> de modelo para fazer o download do modelo,
-Please select Applicant Type first,Selecione primeiro o tipo de candidato,
 Please select Customer first,"Por favor, selecione o Cliente primeiro",
 Please select Item Code first,Selecione primeiro o código do item,
-Please select Loan Type for company {0},Selecione Tipo de empréstimo para a empresa {0},
 Please select a Delivery Note,Selecione uma nota de entrega,
 Please select a Sales Person for item: {0},Selecione um vendedor para o item: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Selecione outro método de pagamento. Stripe não suporta transações em moeda &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},"Por favor, configure uma conta bancária padrão para a empresa {0}",
 Please specify,"Por favor, especifique",
 Please specify a {0},"Por favor, especifique um {0}",lead
-Pledge Status,Status da promessa,
-Pledge Time,Tempo da promessa,
 Printing,Impressão,
 Priority,Prioridade,
 Priority has been changed to {0}.,A prioridade foi alterada para {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Processando arquivos XML,
 Profitability,Rentabilidade,
 Project,Projeto,
-Proposed Pledges are mandatory for secured Loans,As promessas propostas são obrigatórias para empréstimos garantidos,
 Provide the academic year and set the starting and ending date.,Forneça o ano acadêmico e defina as datas inicial e final.,
 Public token is missing for this bank,O token público está em falta neste banco,
 Publish,Publicar,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,O recibo de compra não possui nenhum item para o qual a opção Retain Sample esteja ativada.,
 Purchase Return,Devolução de Compra,
 Qty of Finished Goods Item,Quantidade de item de produtos acabados,
-Qty or Amount is mandatroy for loan security,Quantidade ou quantidade é mandatroy para garantia de empréstimo,
 Quality Inspection required for Item {0} to submit,Inspeção de qualidade necessária para o item {0} enviar,
 Quantity to Manufacture,Quantidade a fabricar,
 Quantity to Manufacture can not be zero for the operation {0},A quantidade a fabricar não pode ser zero para a operação {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,A Data de Alívio deve ser maior ou igual à Data de Ingresso,
 Rename,Alterar Nome,
 Rename Not Allowed,Renomear não permitido,
-Repayment Method is mandatory for term loans,O método de reembolso é obrigatório para empréstimos a prazo,
-Repayment Start Date is mandatory for term loans,A data de início do reembolso é obrigatória para empréstimos a prazo,
 Report Item,Item de relatorio,
 Report this Item,Denunciar este item,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Quantidade reservada para subcontratação: quantidade de matérias-primas para fazer itens subcontratados.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Linha ({0}): {1} já está com desconto em {2},
 Rows Added in {0},Linhas adicionadas em {0},
 Rows Removed in {0},Linhas removidas em {0},
-Sanctioned Amount limit crossed for {0} {1},Limite do valor sancionado cruzado para {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},O montante do empréstimo sancionado já existe para {0} contra a empresa {1},
 Save,Salvar,
 Save Item,Salvar item,
 Saved Items,Itens salvos,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Utilizador {0} está desativado,
 Users and Permissions,Utilizadores e Permissões,
 Vacancies cannot be lower than the current openings,As vagas não podem ser inferiores às aberturas atuais,
-Valid From Time must be lesser than Valid Upto Time.,O Valid From Time deve ser menor que o Valid Upto Time.,
 Valuation Rate required for Item {0} at row {1},Taxa de avaliação necessária para o item {0} na linha {1},
 Values Out Of Sync,Valores fora de sincronia,
 Vehicle Type is required if Mode of Transport is Road,O tipo de veículo é obrigatório se o modo de transporte for rodoviário,
@@ -4211,7 +4168,6 @@
 Add to Cart,Adicionar ao carrinho,
 Days Since Last Order,Dias Desde o Último Pedido,
 In Stock,Em stock,
-Loan Amount is mandatory,Montante do empréstimo é obrigatório,
 Mode Of Payment,Modo de pagamento,
 No students Found,Nenhum aluno encontrado,
 Not in Stock,Não há no Stock,
@@ -4240,7 +4196,6 @@
 Group by,Agrupar Por,
 In stock,Em estoque,
 Item name,Nome do item,
-Loan amount is mandatory,Montante do empréstimo é obrigatório,
 Minimum Qty,Qtd mínimo,
 More details,Mais detalhes,
 Nature of Supplies,Natureza dos Suprimentos,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Total de Qtd Concluído,
 Qty to Manufacture,Qtd Para Fabrico,
 Repay From Salary can be selected only for term loans,Reembolso do salário pode ser selecionado apenas para empréstimos a prazo,
-No valid Loan Security Price found for {0},Nenhum preço válido de garantia de empréstimo encontrado para {0},
-Loan Account and Payment Account cannot be same,A conta de empréstimo e a conta de pagamento não podem ser iguais,
-Loan Security Pledge can only be created for secured loans,A promessa de garantia de empréstimo só pode ser criada para empréstimos garantidos,
 Social Media Campaigns,Campanhas de mídia social,
 From Date can not be greater than To Date,A data inicial não pode ser maior que a data final,
 Please set a Customer linked to the Patient,Defina um cliente vinculado ao paciente,
@@ -6437,7 +6389,6 @@
 HR User,Utilizador de RH,
 Appointment Letter,Carta de nomeação,
 Job Applicant,Candidato a Emprego,
-Applicant Name,Nome do Candidato,
 Appointment Date,Data do encontro,
 Appointment Letter Template,Modelo de carta de nomeação,
 Body,Corpo,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Sincronização em andamento,
 Hub Seller Name,Nome do vendedor do hub,
 Custom Data,Dados personalizados,
-Member,Membro,
-Partially Disbursed,parcialmente Desembolso,
-Loan Closure Requested,Solicitação de encerramento de empréstimo,
 Repay From Salary,Reembolsar a partir de Salário,
-Loan Details,Detalhes empréstimo,
-Loan Type,Tipo de empréstimo,
-Loan Amount,Montante do empréstimo,
-Is Secured Loan,É Empréstimo Garantido,
-Rate of Interest (%) / Year,Taxa de juro (%) / Ano,
-Disbursement Date,Data de desembolso,
-Disbursed Amount,Montante desembolsado,
-Is Term Loan,É Empréstimo a Prazo,
-Repayment Method,Método de reembolso,
-Repay Fixed Amount per Period,Pagar quantia fixa por Período,
-Repay Over Number of Periods,Reembolsar Ao longo Número de Períodos,
-Repayment Period in Months,Período de reembolso em meses,
-Monthly Repayment Amount,Mensal montante de reembolso,
-Repayment Start Date,Data de início do reembolso,
-Loan Security Details,Detalhes da segurança do empréstimo,
-Maximum Loan Value,Valor Máximo do Empréstimo,
-Account Info,Informações da Conta,
-Loan Account,Conta de Empréstimo,
-Interest Income Account,Conta Margem,
-Penalty Income Account,Conta de Rendimentos de Penalidades,
-Repayment Schedule,Cronograma de amortização,
-Total Payable Amount,Valor Total a Pagar,
-Total Principal Paid,Total do Principal Pago,
-Total Interest Payable,Interesse total a pagar,
-Total Amount Paid,Valor Total Pago,
-Loan Manager,Gerente de Empréstimos,
-Loan Info,Informações empréstimo,
-Rate of Interest,Taxa de interesse,
-Proposed Pledges,Promessas propostas,
-Maximum Loan Amount,Montante máximo do empréstimo,
-Repayment Info,Informações de reembolso,
-Total Payable Interest,Juros a Pagar total,
-Against Loan ,Contra Empréstimo,
-Loan Interest Accrual,Provisão para Juros de Empréstimos,
-Amounts,Montantes,
-Pending Principal Amount,Montante principal pendente,
-Payable Principal Amount,Montante Principal a Pagar,
-Paid Principal Amount,Valor principal pago,
-Paid Interest Amount,Montante de juros pagos,
-Process Loan Interest Accrual,Processar provisão de juros de empréstimo,
-Repayment Schedule Name,Nome do cronograma de reembolso,
 Regular Payment,Pagamento regular,
 Loan Closure,Fechamento de Empréstimos,
-Payment Details,Detalhes do pagamento,
-Interest Payable,Juros a pagar,
-Amount Paid,Montante Pago,
-Principal Amount Paid,Montante Principal Pago,
-Repayment Details,Detalhes de Reembolso,
-Loan Repayment Detail,Detalhe de reembolso de empréstimo,
-Loan Security Name,Nome da segurança do empréstimo,
-Unit Of Measure,Unidade de medida,
-Loan Security Code,Código de Segurança do Empréstimo,
-Loan Security Type,Tipo de garantia de empréstimo,
-Haircut %,% De corte de cabelo,
-Loan  Details,Detalhes do Empréstimo,
-Unpledged,Unpledged,
-Pledged,Prometido,
-Partially Pledged,Parcialmente comprometido,
-Securities,Valores mobiliários,
-Total Security Value,Valor total de segurança,
-Loan Security Shortfall,Déficit na segurança do empréstimo,
-Loan ,Empréstimo,
-Shortfall Time,Tempo de Déficit,
-America/New_York,America / New_York,
-Shortfall Amount,Quantidade de déficit,
-Security Value ,Valor de segurança,
-Process Loan Security Shortfall,Déficit de segurança do empréstimo de processo,
-Loan To Value Ratio,Relação Empréstimo / Valor,
-Unpledge Time,Tempo de Promessa,
-Loan Name,Nome do empréstimo,
 Rate of Interest (%) Yearly,Taxa de juro (%) Anual,
-Penalty Interest Rate (%) Per Day,Taxa de juros de penalidade (%) por dia,
-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,
-Grace Period in Days,Período de carência em dias,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,Número de dias a partir da data de vencimento até os quais a multa não será cobrada em caso de atraso no reembolso do empréstimo,
-Pledge,Juramento,
-Post Haircut Amount,Quantidade de corte de cabelo,
-Process Type,Tipo de Processo,
-Update Time,Tempo de atualização,
-Proposed Pledge,Promessa proposta,
-Total Payment,Pagamento total,
-Balance Loan Amount,Saldo Valor do Empréstimo,
-Is Accrued,É acumulado,
 Salary Slip Loan,Empréstimo Salarial,
 Loan Repayment Entry,Entrada de reembolso de empréstimo,
-Sanctioned Loan Amount,Montante do empréstimo sancionado,
-Sanctioned Amount Limit,Limite de quantidade sancionada,
-Unpledge,Prometer,
-Haircut,Corte de cabelo,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Gerar Cronograma,
 Schedules,Horários,
@@ -7885,7 +7749,6 @@
 Update Series,Atualizar Séries,
 Change the starting / current sequence number of an existing series.,Altera o número de sequência inicial / atual duma série existente.,
 Prefix,Prefixo,
-Current Value,Valor Atual,
 This is the number of the last created transaction with this prefix,Este é o número da última transacção criada com este prefixo,
 Update Series Number,Atualização de Número de Série,
 Quotation Lost Reason,Motivo de Perda de Cotação,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Nível de Reposição Recomendada por Item,
 Lead Details,Dados de Potencial Cliente,
 Lead Owner Efficiency,Eficiência do proprietário principal,
-Loan Repayment and Closure,Reembolso e encerramento de empréstimos,
-Loan Security Status,Status de segurança do empréstimo,
 Lost Opportunity,Oportunidade perdida,
 Maintenance Schedules,Cronogramas de Manutenção,
 Material Requests for which Supplier Quotations are not created,As Solicitações de Material cujas Cotações de Fornecedor não foram criadas,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Contagens direcionadas: {0},
 Payment Account is mandatory,A conta de pagamento é obrigatória,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Se marcada, o valor total será deduzido do lucro tributável antes do cálculo do imposto de renda, sem qualquer declaração ou apresentação de comprovante.",
-Disbursement Details,Detalhes de Desembolso,
 Material Request Warehouse,Armazém de solicitação de material,
 Select warehouse for material requests,Selecione o armazém para pedidos de material,
 Transfer Materials For Warehouse {0},Transferir materiais para armazém {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Reembolsar quantia não reclamada do salário,
 Deduction from salary,Dedução do salário,
 Expired Leaves,Folhas Vencidas,
-Reference No,Nº de referência,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,A porcentagem de haircut é a diferença percentual entre o valor de mercado do Título de Empréstimo e o valor atribuído a esse Título de Empréstimo quando usado como garantia para aquele empréstimo.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,A relação entre o valor do empréstimo e o empréstimo expressa a relação entre o valor do empréstimo e o valor do título oferecido. Um déficit de garantia de empréstimo será acionado se cair abaixo do valor especificado para qualquer empréstimo,
 If this is not checked the loan by default will be considered as a Demand Loan,"Se esta opção não for marcada, o empréstimo, por padrão, será considerado um empréstimo à vista",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Esta conta é usada para registrar reembolsos de empréstimos do mutuário e também desembolsar empréstimos para o mutuário,
 This account is capital account which is used to allocate capital for loan disbursal account ,Esta conta é a conta de capital que é usada para alocar capital para a conta de desembolso do empréstimo,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},A operação {0} não pertence à ordem de serviço {1},
 Print UOM after Quantity,Imprimir UOM após a quantidade,
 Set default {0} account for perpetual inventory for non stock items,Definir conta {0} padrão para estoque permanente para itens fora de estoque,
-Loan Security {0} added multiple times,Garantia de empréstimo {0} adicionada várias vezes,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Títulos de empréstimo com taxa de LTV diferente não podem ser garantidos por um empréstimo,
-Qty or Amount is mandatory for loan security!,Qty or Amount é obrigatório para garantia de empréstimo!,
-Only submittted unpledge requests can be approved,Somente solicitações de cancelamento de garantia enviadas podem ser aprovadas,
-Interest Amount or Principal Amount is mandatory,O valor dos juros ou o valor do principal são obrigatórios,
-Disbursed Amount cannot be greater than {0},O valor desembolsado não pode ser maior que {0},
-Row {0}: Loan Security {1} added multiple times,Linha {0}: Garantia de empréstimo {1} adicionada várias vezes,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Linha # {0}: o item filho não deve ser um pacote de produtos. Remova o item {1} e salve,
 Credit limit reached for customer {0},Limite de crédito atingido para o cliente {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Não foi possível criar automaticamente o cliente devido aos seguintes campos obrigatórios ausentes:,
diff --git a/erpnext/translations/ro.csv b/erpnext/translations/ro.csv
index c5eca3c..59ab80a 100644
--- a/erpnext/translations/ro.csv
+++ b/erpnext/translations/ro.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Se aplică dacă compania este SpA, SApA sau SRL",
 Applicable if the company is a limited liability company,Se aplică dacă compania este o societate cu răspundere limitată,
 Applicable if the company is an Individual or a Proprietorship,Se aplică dacă compania este o persoană fizică sau o proprietate,
-Applicant,Solicitant,
-Applicant Type,Tipul solicitantului,
 Application of Funds (Assets),Aplicarea fondurilor (active),
 Application period cannot be across two allocation records,Perioada de aplicare nu poate fi cuprinsă între două înregistrări de alocare,
 Application period cannot be outside leave allocation period,Perioada de aplicare nu poate fi perioadă de alocare concediu în afara,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Lista Acționarilor disponibili cu numere folio,
 Loading Payment System,Încărcarea sistemului de plată,
 Loan,Împrumut,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Suma creditului nu poate depăși valoarea maximă a împrumutului de {0},
-Loan Application,Cerere de împrumut,
-Loan Management,Managementul împrumuturilor,
-Loan Repayment,Rambursare a creditului,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Data de început a împrumutului și perioada de împrumut sunt obligatorii pentru a salva reducerea facturilor,
 Loans (Liabilities),Imprumuturi (Raspunderi),
 Loans and Advances (Assets),Împrumuturi și avansuri (active),
@@ -1611,7 +1605,6 @@
 Monday,Luni,
 Monthly,Lunar,
 Monthly Distribution,Distributie lunar,
-Monthly Repayment Amount cannot be greater than Loan Amount,Rambursarea lunară Suma nu poate fi mai mare decât Suma creditului,
 More,Mai mult,
 More Information,Mai multe informatii,
 More than one selection for {0} not allowed,Nu sunt permise mai multe selecții pentru {0},
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Plătește {0} {1},
 Payable,plătibil,
 Payable Account,Contul furnizori,
-Payable Amount,Sumă plătibilă,
 Payment,Plată,
 Payment Cancelled. Please check your GoCardless Account for more details,Plata anulată. Verificați contul GoCardless pentru mai multe detalii,
 Payment Confirmation,Confirmarea platii,
-Payment Date,Data de plată,
 Payment Days,Zile de plată,
 Payment Document,Documentul de plată,
 Payment Due Date,Data scadentă de plată,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,Va rugam sa introduceti Primirea achiziția,
 Please enter Receipt Document,Vă rugăm să introduceți Document Primirea,
 Please enter Reference date,Vă rugăm să introduceți data de referință,
-Please enter Repayment Periods,Vă rugăm să introduceți perioada de rambursare,
 Please enter Reqd by Date,Introduceți Reqd după dată,
 Please enter Woocommerce Server URL,Introduceți adresa URL a serverului Woocommerce,
 Please enter Write Off Account,Va rugam sa introduceti Scrie Off cont,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,Vă rugăm să introduceți centru de cost părinte,
 Please enter quantity for Item {0},Va rugam sa introduceti cantitatea pentru postul {0},
 Please enter relieving date.,Vă rugăm să introduceți data alinarea.,
-Please enter repayment Amount,Vă rugăm să introduceți Suma de rambursare,
 Please enter valid Financial Year Start and End Dates,Va rugam sa introduceti valabil financiare Anul începe și a termina Perioada,
 Please enter valid email address,Introduceți adresa de e-mail validă,
 Please enter {0} first,Va rugam sa introduceti {0} primul,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Regulile de stabilire a prețurilor sunt filtrate în continuare în funcție de cantitate.,
 Primary Address Details,Detalii despre adresa primară,
 Primary Contact Details,Detalii de contact primare,
-Principal Amount,Sumă principală,
 Print Format,Print Format,
 Print IRS 1099 Forms,Tipărire formulare IRS 1099,
 Print Report Card,Print Print Card,
@@ -2550,7 +2538,6 @@
 Sample Collection,Colectie de mostre,
 Sample quantity {0} cannot be more than received quantity {1},Cantitatea de probe {0} nu poate fi mai mare decât cantitatea primită {1},
 Sanctioned,consacrat,
-Sanctioned Amount,Sancționate Suma,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sancționat Suma nu poate fi mai mare decât revendicarea Suma în rândul {0}.,
 Sand,Nisip,
 Saturday,Sâmbătă,
@@ -3540,7 +3527,6 @@
 {0} already has a Parent Procedure {1}.,{0} are deja o procedură părinte {1}.,
 API,API-ul,
 Annual,Anual,
-Approved,Aprobat,
 Change,Schimbă,
 Contact Email,Email Persoana de Contact,
 Export Type,Tipul de export,
@@ -3570,7 +3556,6 @@
 Account Value,Valoarea contului,
 Account is mandatory to get payment entries,Contul este obligatoriu pentru a obține înregistrări de plată,
 Account is not set for the dashboard chart {0},Contul nu este setat pentru graficul de bord {0},
-Account {0} does not belong to company {1},Contul {0} nu aparține companiei {1},
 Account {0} does not exists in the dashboard chart {1},Contul {0} nu există în graficul de bord {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Cont: <b>{0}</b> este capital de lucru în desfășurare și nu poate fi actualizat de jurnalul de intrare,
 Account: {0} is not permitted under Payment Entry,Cont: {0} nu este permis în baza intrării de plată,
@@ -3581,7 +3566,6 @@
 Activity,Activitate,
 Add / Manage Email Accounts.,Adăugați / gestionați conturi de e-mail.,
 Add Child,Adăugă Copil,
-Add Loan Security,Adăugați securitatea împrumutului,
 Add Multiple,Adăugați mai multe,
 Add Participants,Adăugă Participanți,
 Add to Featured Item,Adăugați la elementele prezentate,
@@ -3592,15 +3576,12 @@
 Address Line 1,Adresă Linie 1,
 Addresses,Adrese,
 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.,
-Against Loan,Contra împrumutului,
-Against Loan:,Împrumut contra,
 All,Toate,
 All bank transactions have been created,Toate tranzacțiile bancare au fost create,
 All the depreciations has been booked,Toate amortizările au fost înregistrate,
 Allocation Expired!,Alocare expirată!,
 Allow Resetting Service Level Agreement from Support Settings.,Permiteți resetarea acordului de nivel de serviciu din setările de asistență,
 Amount of {0} is required for Loan closure,Suma de {0} este necesară pentru închiderea împrumutului,
-Amount paid cannot be zero,Suma plătită nu poate fi zero,
 Applied Coupon Code,Codul cuponului aplicat,
 Apply Coupon Code,Aplicați codul promoțional,
 Appointment Booking,Rezervare rezervare,
@@ -3648,7 +3629,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,Nu se poate calcula ora de sosire deoarece adresa șoferului lipsește.,
 Cannot Optimize Route as Driver Address is Missing.,Nu se poate optimiza ruta deoarece adresa șoferului lipsește.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Nu se poate finaliza sarcina {0} ca sarcină dependentă {1} nu sunt completate / anulate.,
-Cannot create loan until application is approved,Nu se poate crea împrumut până la aprobarea cererii,
 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}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Nu se poate depăși pentru articolul {0} din rândul {1} mai mult decât {2}. Pentru a permite supra-facturarea, vă rugăm să setați alocația în Setările conturilor",
 "Capacity Planning Error, planned start time can not be same as end time","Eroare de planificare a capacității, ora de pornire planificată nu poate fi aceeași cu ora finală",
@@ -3811,20 +3791,9 @@
 Less Than Amount,Mai puțin decât suma,
 Liabilities,pasive,
 Loading...,Se încarcă...,
-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,
 Loan Applications from customers and employees.,Aplicații de împrumut de la clienți și angajați.,
-Loan Disbursement,Decontarea împrumutului,
 Loan Processes,Procese de împrumut,
-Loan Security,Securitatea împrumutului,
-Loan Security Pledge,Gaj de securitate pentru împrumuturi,
-Loan Security Pledge Created : {0},Creditul de securitate al împrumutului creat: {0},
-Loan Security Price,Prețul securității împrumutului,
-Loan Security Price overlapping with {0},Prețul securității împrumutului care se suprapune cu {0},
-Loan Security Unpledge,Unplingge de securitate a împrumutului,
-Loan Security Value,Valoarea securității împrumutului,
 Loan Type for interest and penalty rates,Tip de împrumut pentru dobânzi și rate de penalizare,
-Loan amount cannot be greater than {0},Valoarea împrumutului nu poate fi mai mare de {0},
-Loan is mandatory,Împrumutul este obligatoriu,
 Loans,Credite,
 Loans provided to customers and employees.,Împrumuturi acordate clienților și angajaților.,
 Location,Închiriere,
@@ -3893,7 +3862,6 @@
 Pay,Plăti,
 Payment Document Type,Tip de document de plată,
 Payment Name,Numele de plată,
-Penalty Amount,Suma pedepsei,
 Pending,În așteptarea,
 Performance,Performanţă,
 Period based On,Perioada bazată pe,
@@ -3915,10 +3883,8 @@
 Please login as a Marketplace User to edit this item.,Vă rugăm să vă autentificați ca utilizator de piață pentru a edita acest articol.,
 Please login as a Marketplace User to report this item.,Vă rugăm să vă autentificați ca utilizator de piață pentru a raporta acest articol.,
 Please select <b>Template Type</b> to download template,Vă rugăm să selectați <b>Tip de șablon</b> pentru a descărca șablonul,
-Please select Applicant Type first,Vă rugăm să selectați mai întâi tipul de solicitant,
 Please select Customer first,Vă rugăm să selectați Clientul mai întâi,
 Please select Item Code first,Vă rugăm să selectați mai întâi Codul articolului,
-Please select Loan Type for company {0},Vă rugăm să selectați Tip de împrumut pentru companie {0},
 Please select a Delivery Note,Vă rugăm să selectați o notă de livrare,
 Please select a Sales Person for item: {0},Vă rugăm să selectați o persoană de vânzări pentru articol: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Selectați o altă metodă de plată. Stripe nu acceptă tranzacțiile în valută &quot;{0}&quot;,
@@ -3934,8 +3900,6 @@
 Please setup a default bank account for company {0},Vă rugăm să configurați un cont bancar implicit pentru companie {0},
 Please specify,Vă rugăm să specificați,
 Please specify a {0},Vă rugăm să specificați un {0},lead
-Pledge Status,Starea gajului,
-Pledge Time,Timp de gaj,
 Printing,Tipărire,
 Priority,Prioritate,
 Priority has been changed to {0}.,Prioritatea a fost modificată la {0}.,
@@ -3943,7 +3907,6 @@
 Processing XML Files,Procesarea fișierelor XML,
 Profitability,Rentabilitatea,
 Project,Proiect,
-Proposed Pledges are mandatory for secured Loans,Promisiunile propuse sunt obligatorii pentru împrumuturile garantate,
 Provide the academic year and set the starting and ending date.,Furnizați anul universitar și stabiliți data de început și de încheiere.,
 Public token is missing for this bank,Jurnalul public lipsește pentru această bancă,
 Publish,Publica,
@@ -3959,7 +3922,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Încasarea de cumpărare nu are niciun articol pentru care este activat eșantionul de păstrare.,
 Purchase Return,Înapoi cumpărare,
 Qty of Finished Goods Item,Cantitatea articolului de produse finite,
-Qty or Amount is mandatroy for loan security,Cantitatea sau suma este mandatroy pentru securitatea împrumutului,
 Quality Inspection required for Item {0} to submit,Inspecția de calitate necesară pentru trimiterea articolului {0},
 Quantity to Manufacture,Cantitate de fabricare,
 Quantity to Manufacture can not be zero for the operation {0},Cantitatea de fabricație nu poate fi zero pentru operațiune {0},
@@ -3980,8 +3942,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Data scutirii trebuie să fie mai mare sau egală cu data aderării,
 Rename,Redenumire,
 Rename Not Allowed,Redenumirea nu este permisă,
-Repayment Method is mandatory for term loans,Metoda de rambursare este obligatorie pentru împrumuturile la termen,
-Repayment Start Date is mandatory for term loans,Data de începere a rambursării este obligatorie pentru împrumuturile la termen,
 Report Item,Raport articol,
 Report this Item,Raportați acest articol,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Cantitate rezervată pentru subcontract: cantitate de materii prime pentru a face obiecte subcontractate.,
@@ -4014,8 +3974,6 @@
 Row({0}): {1} is already discounted in {2},Rândul ({0}): {1} este deja actualizat în {2},
 Rows Added in {0},Rânduri adăugate în {0},
 Rows Removed in {0},Rândurile eliminate în {0},
-Sanctioned Amount limit crossed for {0} {1},Limita sumei sancționate depășită pentru {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},Suma de împrumut sancționat există deja pentru {0} față de compania {1},
 Save,Salvează,
 Save Item,Salvare articol,
 Saved Items,Articole salvate,
@@ -4134,7 +4092,6 @@
 User {0} is disabled,Utilizatorul {0} este dezactivat,
 Users and Permissions,Utilizatori și permisiuni,
 Vacancies cannot be lower than the current openings,Posturile vacante nu pot fi mai mici decât deschiderile actuale,
-Valid From Time must be lesser than Valid Upto Time.,Valid From Time trebuie să fie mai mic decât Valid Upto Time.,
 Valuation Rate required for Item {0} at row {1},Rata de evaluare necesară pentru articolul {0} la rândul {1},
 Values Out Of Sync,Valori ieșite din sincronizare,
 Vehicle Type is required if Mode of Transport is Road,Tip de vehicul este necesar dacă modul de transport este rutier,
@@ -4210,7 +4167,6 @@
 Add to Cart,Adăugaţi în Coş,
 Days Since Last Order,Zile de la ultima comandă,
 In Stock,In stoc,
-Loan Amount is mandatory,Suma împrumutului este obligatorie,
 Mode Of Payment,Modul de plată,
 No students Found,Nu au fost găsiți studenți,
 Not in Stock,Nu este în stoc,
@@ -4239,7 +4195,6 @@
 Group by,Grupul De,
 In stock,In stoc,
 Item name,Denumire Articol,
-Loan amount is mandatory,Suma împrumutului este obligatorie,
 Minimum Qty,Cantitatea minimă,
 More details,Mai multe detalii,
 Nature of Supplies,Natura aprovizionării,
@@ -4408,9 +4363,6 @@
 Total Completed Qty,Cantitatea totală completată,
 Qty to Manufacture,Cantitate pentru fabricare,
 Repay From Salary can be selected only for term loans,Rambursarea din salariu poate fi selectată numai pentru împrumuturile pe termen,
-No valid Loan Security Price found for {0},Nu s-a găsit un preț valid de securitate a împrumutului pentru {0},
-Loan Account and Payment Account cannot be same,Contul de împrumut și Contul de plată nu pot fi aceleași,
-Loan Security Pledge can only be created for secured loans,Garanția de securitate a împrumutului poate fi creată numai pentru împrumuturile garantate,
 Social Media Campaigns,Campanii de socializare,
 From Date can not be greater than To Date,From Date nu poate fi mai mare decât To Date,
 Please set a Customer linked to the Patient,Vă rugăm să setați un client legat de pacient,
@@ -6435,7 +6387,6 @@
 HR User,Utilizator HR,
 Appointment Letter,Scrisoare de programare,
 Job Applicant,Solicitant loc de muncă,
-Applicant Name,Nume solicitant,
 Appointment Date,Data de intalnire,
 Appointment Letter Template,Model de scrisoare de numire,
 Body,Corp,
@@ -7057,99 +7008,12 @@
 Sync in Progress,Sincronizați în curs,
 Hub Seller Name,Numele vânzătorului Hub,
 Custom Data,Date personalizate,
-Member,Membru,
-Partially Disbursed,parţial Se eliberează,
-Loan Closure Requested,Solicitare de închidere a împrumutului,
 Repay From Salary,Rambursa din salariu,
-Loan Details,Creditul Detalii,
-Loan Type,Tip credit,
-Loan Amount,Sumă împrumutată,
-Is Secured Loan,Este împrumut garantat,
-Rate of Interest (%) / Year,Rata dobânzii (%) / An,
-Disbursement Date,debursare,
-Disbursed Amount,Suma plătită,
-Is Term Loan,Este împrumut pe termen,
-Repayment Method,Metoda de rambursare,
-Repay Fixed Amount per Period,Rambursa Suma fixă pentru fiecare perioadă,
-Repay Over Number of Periods,Rambursa Peste Număr de Perioade,
-Repayment Period in Months,Rambursarea Perioada în luni,
-Monthly Repayment Amount,Suma de rambursare lunar,
-Repayment Start Date,Data de începere a rambursării,
-Loan Security Details,Detalii privind securitatea împrumutului,
-Maximum Loan Value,Valoarea maximă a împrumutului,
-Account Info,Informaţii cont,
-Loan Account,Contul împrumutului,
-Interest Income Account,Contul Interes Venit,
-Penalty Income Account,Cont de venituri din penalități,
-Repayment Schedule,rambursare Program,
-Total Payable Amount,Suma totală de plată,
-Total Principal Paid,Total plătit principal,
-Total Interest Payable,Dobânda totală de plată,
-Total Amount Paid,Suma totală plătită,
-Loan Manager,Managerul de împrumut,
-Loan Info,Creditul Info,
-Rate of Interest,Rata Dobânzii,
-Proposed Pledges,Promisiuni propuse,
-Maximum Loan Amount,Suma maximă a împrumutului,
-Repayment Info,Info rambursarea,
-Total Payable Interest,Dobânda totală de plată,
-Against Loan ,Împotriva împrumutului,
-Loan Interest Accrual,Dobândirea dobânzii împrumutului,
-Amounts,sume,
-Pending Principal Amount,Suma pendintei principale,
-Payable Principal Amount,Suma principală plătibilă,
-Paid Principal Amount,Suma principală plătită,
-Paid Interest Amount,Suma dobânzii plătite,
-Process Loan Interest Accrual,Procesul de dobândă de împrumut,
-Repayment Schedule Name,Numele programului de rambursare,
 Regular Payment,Plată regulată,
 Loan Closure,Închiderea împrumutului,
-Payment Details,Detalii de plata,
-Interest Payable,Dobândi de plătit,
-Amount Paid,Sumă plătită,
-Principal Amount Paid,Suma principală plătită,
-Repayment Details,Detalii de rambursare,
-Loan Repayment Detail,Detaliu rambursare împrumut,
-Loan Security Name,Numele securității împrumutului,
-Unit Of Measure,Unitate de măsură,
-Loan Security Code,Codul de securitate al împrumutului,
-Loan Security Type,Tip de securitate împrumut,
-Haircut %,Tunsori%,
-Loan  Details,Detalii despre împrumut,
-Unpledged,Unpledged,
-Pledged,gajat,
-Partially Pledged,Parțial Gajat,
-Securities,Titluri de valoare,
-Total Security Value,Valoarea totală a securității,
-Loan Security Shortfall,Deficitul de securitate al împrumutului,
-Loan ,Împrumut,
-Shortfall Time,Timpul neajunsurilor,
-America/New_York,America / New_York,
-Shortfall Amount,Suma deficiențelor,
-Security Value ,Valoarea de securitate,
-Process Loan Security Shortfall,Deficitul de securitate a împrumutului de proces,
-Loan To Value Ratio,Raportul împrumut / valoare,
-Unpledge Time,Timp de neîncărcare,
-Loan Name,Nume de împrumut,
 Rate of Interest (%) Yearly,Rata Dobânzii (%) Anual,
-Penalty Interest Rate (%) Per Day,Rata dobânzii de penalizare (%) pe zi,
-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ă,
-Grace Period in Days,Perioada de har în zile,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,Numărul de zile de la data scadenței până la care nu se va percepe penalitatea în cazul întârzierii rambursării împrumutului,
-Pledge,Angajament,
-Post Haircut Amount,Postează cantitatea de tuns,
-Process Type,Tipul procesului,
-Update Time,Timpul de actualizare,
-Proposed Pledge,Gajă propusă,
-Total Payment,Plată totală,
-Balance Loan Amount,Soldul Suma creditului,
-Is Accrued,Este acumulat,
 Salary Slip Loan,Salariu Slip împrumut,
 Loan Repayment Entry,Intrarea rambursării împrumutului,
-Sanctioned Loan Amount,Suma de împrumut sancționată,
-Sanctioned Amount Limit,Limita sumei sancționate,
-Unpledge,Unpledge,
-Haircut,Tunsoare,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Generează orar,
 Schedules,Orarele,
@@ -7885,7 +7749,6 @@
 Update Series,Actualizare Series,
 Change the starting / current sequence number of an existing series.,Schimbați secventa de numar de inceput / curent a unei serii existente.,
 Prefix,Prefix,
-Current Value,Valoare curenta,
 This is the number of the last created transaction with this prefix,Acesta este numărul ultimei tranzacții create cu acest prefix,
 Update Series Number,Actualizare Serii Număr,
 Quotation Lost Reason,Ofertă pierdut rațiunea,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Nivel de Reordonare Recomandat al Articolului-Awesome,
 Lead Details,Detalii Pistă,
 Lead Owner Efficiency,Lead Efficiency Owner,
-Loan Repayment and Closure,Rambursarea împrumutului și închiderea,
-Loan Security Status,Starea de securitate a împrumutului,
 Lost Opportunity,Oportunitate pierdută,
 Maintenance Schedules,Program de Mentenanta,
 Material Requests for which Supplier Quotations are not created,Cererile de materiale pentru care nu sunt create Cotațiile Furnizor,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Număruri vizate: {0},
 Payment Account is mandatory,Contul de plată este obligatoriu,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Dacă este bifat, suma totală va fi dedusă din venitul impozabil înainte de calcularea impozitului pe venit fără nicio declarație sau depunere de dovadă.",
-Disbursement Details,Detalii despre debursare,
 Material Request Warehouse,Depozit cerere material,
 Select warehouse for material requests,Selectați depozitul pentru solicitări de materiale,
 Transfer Materials For Warehouse {0},Transfer de materiale pentru depozit {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Rambursați suma nepreluată din salariu,
 Deduction from salary,Deducerea din salariu,
 Expired Leaves,Frunze expirate,
-Reference No,Nr. De referință,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,Procentul de tunsoare este diferența procentuală dintre valoarea de piață a titlului de împrumut și valoarea atribuită respectivului titlu de împrumut atunci când este utilizat ca garanție pentru împrumutul respectiv.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,Raportul împrumut la valoare exprimă raportul dintre suma împrumutului și valoarea garanției gajate. O deficiență a garanției împrumutului va fi declanșată dacă aceasta scade sub valoarea specificată pentru orice împrumut,
 If this is not checked the loan by default will be considered as a Demand Loan,"Dacă acest lucru nu este verificat, împrumutul implicit va fi considerat un împrumut la cerere",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,"Acest cont este utilizat pentru rezervarea rambursărilor de împrumut de la împrumutat și, de asemenea, pentru a plăti împrumuturi către împrumutat",
 This account is capital account which is used to allocate capital for loan disbursal account ,Acest cont este un cont de capital care este utilizat pentru alocarea de capital pentru contul de debursare a împrumutului,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Operația {0} nu aparține comenzii de lucru {1},
 Print UOM after Quantity,Imprimați UOM după Cantitate,
 Set default {0} account for perpetual inventory for non stock items,Setați contul {0} implicit pentru inventarul perpetuu pentru articolele care nu sunt în stoc,
-Loan Security {0} added multiple times,Securitatea împrumutului {0} adăugată de mai multe ori,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Titlurile de împrumut cu un raport LTV diferit nu pot fi gajate împotriva unui singur împrumut,
-Qty or Amount is mandatory for loan security!,Cantitatea sau suma este obligatorie pentru securitatea împrumutului!,
-Only submittted unpledge requests can be approved,Numai cererile unpledge trimise pot fi aprobate,
-Interest Amount or Principal Amount is mandatory,Suma dobânzii sau suma principală este obligatorie,
-Disbursed Amount cannot be greater than {0},Suma plătită nu poate fi mai mare de {0},
-Row {0}: Loan Security {1} added multiple times,Rândul {0}: Securitatea împrumutului {1} adăugat de mai multe ori,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Rândul # {0}: articolul secundar nu trebuie să fie un pachet de produse. Eliminați articolul {1} și Salvați,
 Credit limit reached for customer {0},Limita de credit atinsă pentru clientul {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Nu s-a putut crea automat Clientul din cauza următoarelor câmpuri obligatorii lipsă:,
diff --git a/erpnext/translations/ru.csv b/erpnext/translations/ru.csv
index ab36068..6bb3633 100644
--- a/erpnext/translations/ru.csv
+++ b/erpnext/translations/ru.csv
@@ -12,7 +12,7 @@
 'To Date' is required,Поле 'До Даты' является обязательным для заполнения,
 'Total','Итого',
 'Update Stock' can not be checked because items are not delivered via {0},"Нельзя выбрать 'Обновить запасы', так как продукты не поставляются через {0}",
-'Update Stock' cannot be checked for fixed asset sale,"'Обновить запасы' нельзя выбрать при продаже основных средств",
+'Update Stock' cannot be checked for fixed asset sale,'Обновить запасы' нельзя выбрать при продаже основных средств,
 ) for {0},) для {0},
 1 exact match.,1 точное совпадение.,
 90-Above,90-Над,
@@ -208,7 +208,7 @@
 Amount of Integrated Tax,Сумма Интегрированного Налога,
 Amount of TDS Deducted,Количество вычитаемых TDS,
 Amount should not be less than zero.,Сумма не должна быть меньше нуля.,
-Amount to Bill,"Сумма к оплате",
+Amount to Bill,Сумма к оплате,
 Amount {0} {1} against {2} {3},Сумма {0} {1} против {2} {3},
 Amount {0} {1} deducted against {2},Сумма {0} {1} вычтены {2},
 Amount {0} {1} transferred from {2} to {3},Сумма {0} {1} переведен из {2} до {3},
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Применимо, если компания SpA, SApA или SRL",
 Applicable if the company is a limited liability company,"Применимо, если компания является обществом с ограниченной ответственностью",
 Applicable if the company is an Individual or a Proprietorship,"Применимо, если компания является частным лицом или собственником",
-Applicant,Заявитель,
-Applicant Type,Тип заявителя,
 Application of Funds (Assets),Применение средств (активов),
 Application period cannot be across two allocation records,Период применения не может быть через две записи распределения,
 Application period cannot be outside leave allocation period,Срок подачи заявлений не может быть период распределения пределами отпуск,
@@ -927,7 +925,7 @@
 Employee Referral,Перечень сотрудников,
 Employee Transfer cannot be submitted before Transfer Date ,Передача сотрудника не может быть отправлена до даты передачи,
 Employee cannot report to himself.,Сотрудник не может сообщить самому себе.,
-Employee relieved on {0} must be set as 'Left',"Сотрудник освобожден от {0} должен быть установлен как 'Покинул'",
+Employee relieved on {0} must be set as 'Left',Сотрудник освобожден от {0} должен быть установлен как 'Покинул',
 Employee {0} already submited an apllication {1} for the payroll period {2},Сотрудник {0} уже отправил заявку {1} для периода расчета {2},
 Employee {0} has already applied for {1} between {2} and {3} : ,Сотрудник {0} уже подал заявку на {1} между {2} и {3}:,
 Employee {0} has no maximum benefit amount,Сотрудник {0} не имеет максимальной суммы пособия,
@@ -984,7 +982,7 @@
 Expected Hrs,Ожидаемая длительность,
 Expected Start Date,Ожидаемая дата начала,
 Expense,Расходы,
-Expense / Difference account ({0}) must be a 'Profit or Loss' account,Счет расходов / разницы ({0}) должен быть счетом "Прибыль или убыток",
+Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Счет расходов / разницы ({0}) должен быть счетом ""Прибыль или убыток""",
 Expense Account,Расходов счета,
 Expense Claim,Заявка на возмещение,
 Expense Claim for Vehicle Log {0},Авансовый Отчет для для журнала автомобиля {0},
@@ -1469,10 +1467,6 @@
 List of available Shareholders with folio numbers,Список доступных акционеров с номерами фолио,
 Loading Payment System,Загрузка платежной системы,
 Loan,Ссуда,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Сумма кредита не может превышать максимальный Сумма кредита {0},
-Loan Application,Заявка на получение ссуды,
-Loan Management,Управление кредитами,
-Loan Repayment,погашение займа,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Дата начала и срок кредита являются обязательными для сохранения дисконтирования счета,
 Loans (Liabilities),Кредиты (обязательства),
 Loans and Advances (Assets),Кредиты и авансы (активы),
@@ -1609,7 +1603,6 @@
 Monday,Понедельник,
 Monthly,Ежемесячно,
 Monthly Distribution,Ежемесячно дистрибуция,
-Monthly Repayment Amount cannot be greater than Loan Amount,"Ежемесячное погашение Сумма не может быть больше, чем сумма займа",
 More,Далее,
 More Information,Больше информации,
 More than one selection for {0} not allowed,Не допускается более одного выбора для {0},
@@ -1882,11 +1875,9 @@
 Pay {0} {1},Оплатить {0} {1},
 Payable,К оплате,
 Payable Account,Счёт оплаты,
-Payable Amount,Сумма к оплате,
 Payment,Оплата,
 Payment Cancelled. Please check your GoCardless Account for more details,"Оплата отменена. Пожалуйста, проверьте свою учетную запись GoCardless для получения более подробной информации.",
 Payment Confirmation,Подтверждение об оплате,
-Payment Date,Дата оплаты,
 Payment Days,Платежные дни,
 Payment Document,Платежный документ,
 Payment Due Date,Дата платежа,
@@ -1980,7 +1971,6 @@
 Please enter Purchase Receipt first,"Пожалуйста, введите ТОВАРНЫЙ ЧЕК первый",
 Please enter Receipt Document,"Пожалуйста, введите Квитанция документ",
 Please enter Reference date,"Пожалуйста, введите дату Ссылка",
-Please enter Repayment Periods,"Пожалуйста, введите сроки погашения",
 Please enter Reqd by Date,"Пожалуйста, введите Reqd by Date",
 Please enter Woocommerce Server URL,Введите URL-адрес сервера Woocommerce,
 Please enter Write Off Account,"Пожалуйста, введите списать счет",
@@ -1992,7 +1982,6 @@
 Please enter parent cost center,"Пожалуйста, введите МВЗ родительский",
 Please enter quantity for Item {0},"Пожалуйста, введите количество продукта {0}",
 Please enter relieving date.,"Пожалуйста, введите даты снятия.",
-Please enter repayment Amount,"Пожалуйста, введите Сумма погашения",
 Please enter valid Financial Year Start and End Dates,"Пожалуйста, введите действительный финансовый год даты начала и окончания",
 Please enter valid email address,"Пожалуйста, введите действующий адрес электронной почты",
 Please enter {0} first,"Пожалуйста, введите {0} в первую очередь",
@@ -2158,7 +2147,6 @@
 Pricing Rules are further filtered based on quantity.,Правила ценообразования далее фильтруются в зависимости от количества.,
 Primary Address Details,Основная информация о адресе,
 Primary Contact Details,Основные контактные данные,
-Principal Amount,Основная сумма,
 Print Format,Формат печати,
 Print IRS 1099 Forms,Печать IRS 1099 форм,
 Print Report Card,Распечатать отчет,
@@ -2505,7 +2493,7 @@
 Salary Slip ID,Зарплата скольжения ID,
 Salary Slip of employee {0} already created for this period,Зарплата Скольжение работника {0} уже создано за этот период,
 Salary Slip of employee {0} already created for time sheet {1},Зарплата Скольжение работника {0} уже создан для табеля {1},
-Salary Slip submitted for period from {0} to {1},"Зарплатная ведомость отправлена за период с {0} по {1}",
+Salary Slip submitted for period from {0} to {1},Зарплатная ведомость отправлена за период с {0} по {1},
 Salary Structure Assignment for Employee already exists,Присвоение структуры зарплаты сотруднику уже существует,
 Salary Structure Missing,Структура заработной платы отсутствует,
 Salary Structure must be submitted before submission of Tax Ememption Declaration,Структура заработной платы должна быть представлена до подачи декларации об освобождении от налогов,
@@ -2548,7 +2536,6 @@
 Sample Collection,Сбор образцов,
 Sample quantity {0} cannot be more than received quantity {1},"Количество образцов {0} не может быть больше, чем полученное количество {1}",
 Sanctioned,санкционированные,
-Sanctioned Amount,Санкционированный Количество,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,"Санкционированный сумма не может быть больше, чем претензии Сумма в строке {0}.",
 Sand,песок,
 Saturday,Суббота,
@@ -2672,11 +2659,11 @@
 Set Project and all Tasks to status {0}?,Установить проект и все задачи в статус {0}?,
 Set Status,Установить статус,
 Set Tax Rule for shopping cart,Установить налоговое правило для корзины,
-Set as Closed,Установить как "Закрыт",
-Set as Completed,Установить как "Завершен",
-Set as Default,Установить "По умолчанию",
-Set as Lost,Установить как "Потерянный",
-Set as Open,Установить как "Открытый",
+Set as Closed,"Установить как ""Закрыт""",
+Set as Completed,"Установить как ""Завершен""",
+Set as Default,"Установить ""По умолчанию""",
+Set as Lost,"Установить как ""Потерянный""",
+Set as Open,"Установить как ""Открытый""",
 Set default inventory account for perpetual inventory,Установить учетную запись по умолчанию для вечной инвентаризации,
 Set this if the customer is a Public Administration company.,"Установите это, если клиент является компанией государственного управления.",
 Set {0} in asset category {1} or company {2},Установите {0} в категории активов {1} или компании {2},
@@ -3032,7 +3019,7 @@
 To Date cannot be before From Date,На сегодняшний день не может быть раньше от даты,
 To Date cannot be less than From Date,"Дата не может быть меньше, чем с даты",
 To Date must be greater than From Date,"До даты должно быть больше, чем с даты",
-"To Date should be within the Fiscal Year. Assuming To Date = {0}","Дата должна быть в пределах финансового года. Предположим, до даты = {0}",
+To Date should be within the Fiscal Year. Assuming To Date = {0},"Дата должна быть в пределах финансового года. Предположим, до даты = {0}",
 To Datetime,Ко времени,
 To Deliver,Для доставки,
 To Deliver and Bill,Для доставки и оплаты,
@@ -3333,7 +3320,7 @@
 You can't redeem Loyalty Points having more value than the Grand Total.,"Вы не можете использовать баллы лояльности, имеющие большую ценность, чем общая стоимость.",
 You cannot credit and debit same account at the same time,Нельзя кредитовать и дебетовать один счёт за один раз,
 You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Нельзя удалить {0} финансовый год. Финансовый год {0} установлен  основным в глобальных параметрах,
-You cannot delete Project Type 'External',Вы не можете удалить проект типа "Внешний",
+You cannot delete Project Type 'External',"Вы не можете удалить проект типа ""Внешний""",
 You cannot edit root node.,Вы не можете редактировать корневой узел.,
 You cannot restart a Subscription that is not cancelled.,"Вы не можете перезапустить подписку, которая не отменена.",
 You don't have enought Loyalty Points to redeem,У вас недостаточно очков лояльности для выкупа,
@@ -3539,7 +3526,6 @@
 {0} already has a Parent Procedure {1}.,{0} уже имеет родительскую процедуру {1}.,
 API,API,
 Annual,За год,
-Approved,Утверждено,
 Change,Изменение,
 Contact Email,Эл.почта для связи,
 Export Type,Тип экспорта,
@@ -3560,7 +3546,7 @@
 Video,Видео,
 Webhook Secret,Webhook Secret,
 % Of Grand Total,% От общего итога,
-'employee_field_value' and 'timestamp' are required.,"employee_field_value" и "timestamp" являются обязательными.,
+'employee_field_value' and 'timestamp' are required.,"employee_field_value и ""timestamp"" являются обязательными.",
 <b>Company</b> is a mandatory filter.,<b>Компания</b> является обязательным фильтром.,
 <b>From Date</b> is a mandatory filter.,<b>С даты</b> является обязательным фильтром.,
 <b>From Time</b> cannot be later than <b>To Time</b> for {0},"<b>Начально время</b> не может быть позже, чем <b>конечное время</b> для {0}",
@@ -3569,7 +3555,6 @@
 Account Value,Стоимость счета,
 Account is mandatory to get payment entries,Счет обязателен для получения платежных записей,
 Account is not set for the dashboard chart {0},Счет не настроен для диаграммы панели мониторинга {0},
-Account {0} does not belong to company {1},Счет {0} не принадлежит компании {1},
 Account {0} does not exists in the dashboard chart {1},Счет {0} не существует в диаграмме панели {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Счет: <b>{0}</b> является незавершенным и не может быть обновлен в журнале,
 Account: {0} is not permitted under Payment Entry,Счет: {0} не разрешен при вводе платежа,
@@ -3580,7 +3565,6 @@
 Activity,Активность,
 Add / Manage Email Accounts.,Добавление / Управление учетными записями электронной почты,
 Add Child,Добавить потомка,
-Add Loan Security,Добавить обеспечение по кредиту,
 Add Multiple,Добавить несколько,
 Add Participants,Добавить участников,
 Add to Featured Item,Добавить в избранное,
@@ -3591,15 +3575,12 @@
 Address Line 1,Адрес (1-я строка),
 Addresses,Адреса,
 Admission End Date should be greater than Admission Start Date.,Дата окончания приема должна быть больше даты начала приема.,
-Against Loan,Против займа,
-Against Loan:,Против займа:,
 All,Все,
 All bank transactions have been created,Все банковские операции созданы,
 All the depreciations has been booked,Все амортизации были забронированы,
 Allocation Expired!,Распределение истекло!,
 Allow Resetting Service Level Agreement from Support Settings.,Разрешить сброс соглашения об уровне обслуживания из настроек поддержки.,
 Amount of {0} is required for Loan closure,Для закрытия ссуды требуется сумма {0},
-Amount paid cannot be zero,Оплаченная сумма не может быть нулевой,
 Applied Coupon Code,Прикладной код купона,
 Apply Coupon Code,Применить код купона,
 Appointment Booking,Назначение Бронирование,
@@ -3647,7 +3628,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,"Невозможно рассчитать время прибытия, так как отсутствует адрес водителя.",
 Cannot Optimize Route as Driver Address is Missing.,"Не удается оптимизировать маршрут, так как отсутствует адрес водителя.",
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Невозможно выполнить задачу {0}, поскольку ее зависимая задача {1} не завершена / не отменена.",
-Cannot create loan until application is approved,"Невозможно создать кредит, пока заявка не будет утверждена",
 Cannot find a matching Item. Please select some other value for {0}.,"Нет столько продуктов. Пожалуйста, выберите другое количество для {0}.",
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Невозможно переплатить за элемент {0} в строке {1} более чем {2}. Чтобы разрешить перерасчет, пожалуйста, установите скидку в настройках аккаунта",
 "Capacity Planning Error, planned start time can not be same as end time","Ошибка планирования емкости, запланированное время начала не может совпадать со временем окончания",
@@ -3810,20 +3790,9 @@
 Less Than Amount,Меньше чем сумма,
 Liabilities,Обязательства,
 Loading...,Загрузка...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Сумма кредита превышает максимальную сумму кредита {0} в соответствии с предлагаемыми ценными бумагами,
 Loan Applications from customers and employees.,Кредитные заявки от клиентов и сотрудников.,
-Loan Disbursement,Выдача кредита,
 Loan Processes,Кредитные процессы,
-Loan Security,Кредитная безопасность,
-Loan Security Pledge,Залог безопасности займа,
-Loan Security Pledge Created : {0},Создано залоговое обеспечение займа: {0},
-Loan Security Price,Цена займа,
-Loan Security Price overlapping with {0},Цена залогового кредита перекрывается с {0},
-Loan Security Unpledge,Залог по кредиту,
-Loan Security Value,Ценность займа,
 Loan Type for interest and penalty rates,Тип кредита для процентов и пеней,
-Loan amount cannot be greater than {0},Сумма кредита не может превышать {0},
-Loan is mandatory,Кредит обязателен,
 Loans,Кредиты,
 Loans provided to customers and employees.,"Кредиты, предоставленные клиентам и сотрудникам.",
 Location,Местоположение,
@@ -3896,7 +3865,6 @@
 Pay,Оплатить,
 Payment Document Type,Тип платежного документа,
 Payment Name,Название платежа,
-Penalty Amount,Сумма штрафа,
 Pending,В ожидании,
 Performance,Производительность,
 Period based On,Период на основе,
@@ -3918,10 +3886,8 @@
 Please login as a Marketplace User to edit this item.,"Пожалуйста, войдите как пользователь Marketplace, чтобы редактировать этот элемент.",
 Please login as a Marketplace User to report this item.,"Пожалуйста, войдите как пользователь Marketplace, чтобы сообщить об этом товаре.",
 Please select <b>Template Type</b> to download template,"Пожалуйста, выберите <b>Тип шаблона,</b> чтобы скачать шаблон",
-Please select Applicant Type first,"Пожалуйста, сначала выберите Тип заявителя",
 Please select Customer first,"Пожалуйста, сначала выберите клиента",
 Please select Item Code first,"Пожалуйста, сначала выберите код продукта",
-Please select Loan Type for company {0},"Пожалуйста, выберите тип кредита для компании {0}",
 Please select a Delivery Note,"Пожалуйста, выберите накладную",
 Please select a Sales Person for item: {0},"Пожалуйста, выберите продавца для позиции: {0}",
 Please select another payment method. Stripe does not support transactions in currency '{0}',Выберите другой способ оплаты. Полоса не поддерживает транзакции в валюте &#39;{0}&#39;,
@@ -3937,8 +3903,6 @@
 Please setup a default bank account for company {0},"Пожалуйста, настройте банковский счет по умолчанию для компании {0}",
 Please specify,"Пожалуйста, сформулируйте",
 Please specify a {0},"Пожалуйста, укажите {0}",lead
-Pledge Status,Статус залога,
-Pledge Time,Время залога,
 Printing,Печать,
 Priority,Приоритет,
 Priority has been changed to {0}.,Приоритет был изменен на {0}.,
@@ -3946,7 +3910,6 @@
 Processing XML Files,Обработка файлов XML,
 Profitability,Рентабельность,
 Project,Проект,
-Proposed Pledges are mandatory for secured Loans,Предлагаемые залоги являются обязательными для обеспеченных займов,
 Provide the academic year and set the starting and ending date.,Укажите учебный год и установите дату начала и окончания.,
 Public token is missing for this bank,Публичный токен отсутствует для этого банка,
 Publish,Публиковать,
@@ -3962,7 +3925,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"В квитанции о покупке нет ни одного предмета, для которого включена функция сохранения образца.",
 Purchase Return,Возврат покупки,
 Qty of Finished Goods Item,Кол-во готовых товаров,
-Qty or Amount is mandatroy for loan security,Кол-во или сумма является мандатрой для обеспечения кредита,
 Quality Inspection required for Item {0} to submit,Инспекция по качеству требуется для отправки элемента {0},
 Quantity to Manufacture,Количество для производства,
 Quantity to Manufacture can not be zero for the operation {0},Количество для производства не может быть нулевым для операции {0},
@@ -3983,8 +3945,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Дата освобождения должна быть больше или равна дате присоединения,
 Rename,Переименовать,
 Rename Not Allowed,Переименовывать запрещено,
-Repayment Method is mandatory for term loans,Метод погашения обязателен для срочных кредитов,
-Repayment Start Date is mandatory for term loans,Дата начала погашения обязательна для срочных кредитов,
 Report Item,Элемент отчета,
 Report this Item,Сообщить об этом товаре,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Зарезервированное кол-во для субконтракта: количество сырья для изготовления субподрядов.,
@@ -4017,8 +3977,6 @@
 Row({0}): {1} is already discounted in {2},Строка({0}): {1} уже дисконтирован в {2},
 Rows Added in {0},Строки добавлены в {0},
 Rows Removed in {0},Строки удалены в {0},
-Sanctioned Amount limit crossed for {0} {1},Предел санкционированной суммы для {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},Сумма санкционированного кредита уже существует для {0} против компании {1},
 Save,Сохранить,
 Save Item,Сохранить элемент,
 Saved Items,Сохраненные предметы,
@@ -4137,7 +4095,6 @@
 User {0} is disabled,Пользователь {0} отключен,
 Users and Permissions,Пользователи и Права,
 Vacancies cannot be lower than the current openings,Вакансии не могут быть ниже текущих вакансий,
-Valid From Time must be lesser than Valid Upto Time.,"Действителен со времени должен быть меньше, чем действительный до времени.",
 Valuation Rate required for Item {0} at row {1},Коэффициент оценки требуется для позиции {0} в строке {1},
 Values Out Of Sync,Значения не синхронизированы,
 Vehicle Type is required if Mode of Transport is Road,"Тип транспортного средства требуется, если вид транспорта - дорога",
@@ -4213,7 +4170,6 @@
 Add to Cart,добавить в корзину,
 Days Since Last Order,Дней с последнего заказа,
 In Stock,В наличии,
-Loan Amount is mandatory,Сумма кредита обязательна,
 Mode Of Payment,Способ оплаты,
 No students Found,Студенты не найдены,
 Not in Stock,Нет в наличии,
@@ -4242,7 +4198,6 @@
 Group by,Группировать по,
 In stock,В наличии,
 Item name,Название продукта,
-Loan amount is mandatory,Сумма кредита обязательна,
 Minimum Qty,Минимальное количество,
 More details,Больше параметров,
 Nature of Supplies,Характер поставок,
@@ -4411,9 +4366,6 @@
 Total Completed Qty,Всего завершено кол-во,
 Qty to Manufacture,Кол-во для производства,
 Repay From Salary can be selected only for term loans,Погашение из зарплаты можно выбрать только для срочных кредитов,
-No valid Loan Security Price found for {0},Не найдена действительная цена обеспечения кредита для {0},
-Loan Account and Payment Account cannot be same,Ссудный счет и платежный счет не могут совпадать,
-Loan Security Pledge can only be created for secured loans,Залог обеспечения кредита может быть создан только для обеспеченных кредитов,
 Social Media Campaigns,Кампании в социальных сетях,
 From Date can not be greater than To Date,From Date не может быть больше чем To Date,
 Please set a Customer linked to the Patient,"Укажите клиента, связанного с пациентом.",
@@ -6389,7 +6341,6 @@
 HR User,Сотрудник отдела кадров,
 Appointment Letter,Назначение письмо,
 Job Applicant,Соискатель работы,
-Applicant Name,Имя заявителя,
 Appointment Date,Назначенная дата,
 Appointment Letter Template,Шаблон письма о назначении,
 Body,Содержимое,
@@ -6863,7 +6814,7 @@
 Working Hours Threshold for Half Day,Порог рабочего времени на полдня,
 Working hours below which Half Day is marked. (Zero to disable),"Рабочее время, ниже которого отмечается полдня. (Ноль отключить)",
 Working Hours Threshold for Absent,Порог рабочего времени для отсутствующих,
-"Working hours below which Absent is marked. (Zero to disable)","Порог рабочего времени, ниже которого устанавливается отметка «Отсутствует». (Ноль для отключения)",
+Working hours below which Absent is marked. (Zero to disable),"Порог рабочего времени, ниже которого устанавливается отметка «Отсутствует». (Ноль для отключения)",
 Process Attendance After,Посещаемость процесса после,
 Attendance will be marked automatically only after this date.,Посещаемость будет отмечена автоматически только после этой даты.,
 Last Sync of Checkin,Последняя синхронизация регистрации,
@@ -7006,99 +6957,12 @@
 Sync in Progress,Выполняется синхронизация,
 Hub Seller Name,Имя продавца-концентратора,
 Custom Data,Пользовательские данные,
-Member,член,
-Partially Disbursed,Частично Освоено,
-Loan Closure Requested,Требуется закрытие кредита,
 Repay From Salary,Погашать из заработной платы,
-Loan Details,Кредит Подробнее,
-Loan Type,Тип кредита,
-Loan Amount,Сумма кредита,
-Is Secured Loan,Обеспеченный кредит,
-Rate of Interest (%) / Year,Процентная ставка (%) / год,
-Disbursement Date,Расходование Дата,
-Disbursed Amount,Выплаченная сумма,
-Is Term Loan,Срок кредита,
-Repayment Method,Способ погашения,
-Repay Fixed Amount per Period,Погашать фиксированную сумму за период,
-Repay Over Number of Periods,Погашать Over Количество периодов,
-Repayment Period in Months,Период погашения в месяцах,
-Monthly Repayment Amount,Ежемесячная сумма погашения,
-Repayment Start Date,Дата начала погашения,
-Loan Security Details,Детали безопасности ссуды,
-Maximum Loan Value,Максимальная стоимость кредита,
-Account Info,Информация об аккаунте,
-Loan Account,Ссудная ссуда,
-Interest Income Account,Счет Процентные доходы,
-Penalty Income Account,Счет пенальти,
-Repayment Schedule,График погашения,
-Total Payable Amount,Общая сумма оплачивается,
-Total Principal Paid,Всего основной оплачено,
-Total Interest Payable,Общий процент кредиторов,
-Total Amount Paid,Общая сумма,
-Loan Manager,Кредитный менеджер,
-Loan Info,Заем информация,
-Rate of Interest,Процентная ставка,
-Proposed Pledges,Предлагаемые обязательства,
-Maximum Loan Amount,Максимальная сумма кредита,
-Repayment Info,Погашение информация,
-Total Payable Interest,Общая задолженность по процентам,
-Against Loan ,Против ссуды,
-Loan Interest Accrual,Начисление процентов по кредитам,
-Amounts,Суммы,
-Pending Principal Amount,Ожидающая основная сумма,
-Payable Principal Amount,Основная сумма к оплате,
-Paid Principal Amount,Выплаченная основная сумма,
-Paid Interest Amount,Выплаченная сумма процентов,
-Process Loan Interest Accrual,Процесс начисления процентов по кредитам,
-Repayment Schedule Name,Название графика погашения,
 Regular Payment,Регулярный платеж,
 Loan Closure,Закрытие кредита,
-Payment Details,Детали оплаты,
-Interest Payable,Проценты к выплате,
-Amount Paid,Выплачиваемая сумма,
-Principal Amount Paid,Выплаченная основная сумма,
-Repayment Details,Детали погашения,
-Loan Repayment Detail,Детали погашения кредита,
-Loan Security Name,Название обеспечительного займа,
-Unit Of Measure,Единица измерения,
-Loan Security Code,Кредитный код безопасности,
-Loan Security Type,Тип безопасности ссуды,
-Haircut %,Стрижка волос %,
-Loan  Details,Детали займа,
-Unpledged,необещанный,
-Pledged,Заложенные,
-Partially Pledged,Частично объявлено,
-Securities,ценные бумаги,
-Total Security Value,Общая ценность безопасности,
-Loan Security Shortfall,Недостаток кредита,
-Loan ,ссуда,
-Shortfall Time,Время нехватки,
-America/New_York,Америка / Триатлон,
-Shortfall Amount,Сумма дефицита,
-Security Value ,Значение безопасности ,
-Process Loan Security Shortfall,Недостаток безопасности процесса займа,
-Loan To Value Ratio,Соотношение займа к стоимости,
-Unpledge Time,Время невыплаты,
-Loan Name,Название кредита,
 Rate of Interest (%) Yearly,Процентная ставка (%) Годовой,
-Penalty Interest Rate (%) Per Day,Процентная ставка штрафа (%) в день,
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Штрафная процентная ставка взимается на сумму отложенного процента на ежедневной основе в случае задержки выплаты,
-Grace Period in Days,Льготный период в днях,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,"Кол-во дней с даты платежа, до которого не будет взиматься штраф в случае просрочки возврата кредита",
-Pledge,Залог,
-Post Haircut Amount,Сумма после стрижки,
-Process Type,Тип процесса,
-Update Time,Время обновления,
-Proposed Pledge,Предлагаемый залог,
-Total Payment,Всего к оплате,
-Balance Loan Amount,Баланс Сумма кредита,
-Is Accrued,Начислено,
 Salary Slip Loan,Ссуда на зарплату,
 Loan Repayment Entry,Запись о погашении кредита,
-Sanctioned Loan Amount,Санкционированная сумма кредита,
-Sanctioned Amount Limit,Утвержденный лимит суммы,
-Unpledge,Отменить залог,
-Haircut,Стрижка волос,
 Generate Schedule,Создать расписание,
 Schedules,Расписание,
 Maintenance Schedule Detail,График технического обслуживания Подробно,
@@ -7288,9 +7152,9 @@
 Actual Time and Cost,Фактическое время и стоимость,
 Actual Start Time,Фактическое время начала,
 Actual End Time,Фактическое время окончания,
-Updated via 'Time Log',"Обновлено через 'Журнал времени'",
+Updated via 'Time Log',Обновлено через 'Журнал времени',
 Actual Operation Time,Фактическая время работы,
-in Minutes\nUpdated via 'Time Log',"в минутах \n Обновлено через 'Журнал времени'",
+in Minutes\nUpdated via 'Time Log',в минутах \n Обновлено через 'Журнал времени',
 (Hour Rate / 60) * Actual Operation Time,(часовая ставка ÷ 60) × фактическое время работы,
 Workstation Name,Название рабочего места,
 Production Capacity,Производственная мощность,
@@ -7372,7 +7236,7 @@
 Company Tagline for website homepage,Слоган компании на главной странице сайта,
 Company Description for website homepage,Описание компании на главной странице сайта,
 Homepage Slideshow,Слайдшоу на домашней странице,
-"URL for ""All Products""",URL для ""Все продукты""",
+"URL for ""All Products""","URL для """"Все продукты""""""",
 Products to be shown on website homepage,Продукты будут показаны на главной странице сайта,
 Homepage Featured Product,Рекомендуемые продукты на главной страницу,
 route,маршрут,
@@ -7817,7 +7681,6 @@
 Update Series,Обновить Идентификаторы,
 Change the starting / current sequence number of an existing series.,Измените начальный / текущий порядковый номер существующей идентификации.,
 Prefix,Префикс,
-Current Value,Текущее значение,
 This is the number of the last created transaction with this prefix,Это число последнего созданного сделки с этим префиксом,
 Update Series Number,Обновить серийный номер,
 Quotation Lost Reason,Причина Отказа от Предложения,
@@ -8431,8 +8294,6 @@
 Itemwise Recommended Reorder Level,Рекомендация пополнения уровня продукта,
 Lead Details,Подробнее об лиде,
 Lead Owner Efficiency,Эффективность ответственного за лид,
-Loan Repayment and Closure,Погашение и закрытие кредита,
-Loan Security Status,Состояние безопасности ссуды,
 Lost Opportunity,Потерянная возможность,
 Maintenance Schedules,Графики технического обслуживания,
 Material Requests for which Supplier Quotations are not created,"Запросы на Материалы, для которых не создаются Предложения Поставщика",
@@ -8523,7 +8384,6 @@
 Counts Targeted: {0},Количество целевых: {0},
 Payment Account is mandatory,Платежный счет является обязательным,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Если этот флажок установлен, полная сумма будет вычтена из налогооблагаемого дохода до расчета подоходного налога без какой-либо декларации или представления доказательств.",
-Disbursement Details,Подробная информация о выплате,
 Material Request Warehouse,Склад запросов на материалы,
 Select warehouse for material requests,Выберите склад для запросов материалов,
 Transfer Materials For Warehouse {0},Передача материалов на склад {0},
@@ -8904,9 +8764,6 @@
 Repay unclaimed amount from salary,Вернуть невостребованную сумму из заработной платы,
 Deduction from salary,Удержание из заработной платы,
 Expired Leaves,Просроченные листья,
-Reference No,Номер ссылки,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,"Процент скидки - это процентная разница между рыночной стоимостью Обеспечения ссуды и стоимостью, приписываемой этому Обеспечению ссуды, когда она используется в качестве обеспечения для этой ссуды.",
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,"Коэффициент ссуды к стоимости выражает отношение суммы ссуды к стоимости заложенного обеспечения. Дефицит обеспечения кредита будет вызван, если оно упадет ниже указанного значения для любого кредита",
 If this is not checked the loan by default will be considered as a Demand Loan,"Если этот флажок не установлен, ссуда по умолчанию будет считаться ссудой до востребования.",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,"Этот счет используется для регистрации платежей по ссуде от заемщика, а также для выдачи ссуд заемщику.",
 This account is capital account which is used to allocate capital for loan disbursal account ,"Этот счет является счетом движения капитала, который используется для распределения капитала на счет выдачи кредита.",
@@ -9366,13 +9223,6 @@
 Operation {0} does not belong to the work order {1},Операция {0} не относится к рабочему заданию {1},
 Print UOM after Quantity,Печать единиц измерения после количества,
 Set default {0} account for perpetual inventory for non stock items,"Установить учетную запись {0} по умолчанию для постоянного хранения товаров, отсутствующих на складе",
-Loan Security {0} added multiple times,Обеспечение ссуды {0} добавлено несколько раз,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Заем Ценные бумаги с различным коэффициентом LTV не могут быть переданы в залог под одну ссуду,
-Qty or Amount is mandatory for loan security!,Количество или сумма обязательны для обеспечения кредита!,
-Only submittted unpledge requests can be approved,Могут быть одобрены только отправленные запросы на необеспечение залога,
-Interest Amount or Principal Amount is mandatory,Сумма процентов или основная сумма обязательна,
-Disbursed Amount cannot be greater than {0},Выплаченная сумма не может быть больше {0},
-Row {0}: Loan Security {1} added multiple times,Строка {0}: Обеспечение ссуды {1} добавлено несколько раз.,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Строка № {0}: дочерний элемент не должен быть набором продукта. Удалите элемент {1} и сохраните,
 Credit limit reached for customer {0},Достигнут кредитный лимит для клиента {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Не удалось автоматически создать клиента из-за отсутствия следующих обязательных полей:,
diff --git a/erpnext/translations/rw.csv b/erpnext/translations/rw.csv
index 7985d35..b661932 100644
--- a/erpnext/translations/rw.csv
+++ b/erpnext/translations/rw.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Bikurikizwa niba isosiyete ari SpA, SApA cyangwa SRL",
 Applicable if the company is a limited liability company,Bikurikizwa niba isosiyete ari isosiyete idafite inshingano,
 Applicable if the company is an Individual or a Proprietorship,Bikurikizwa niba isosiyete ari Umuntu ku giti cye cyangwa nyirubwite,
-Applicant,Usaba,
-Applicant Type,Ubwoko bw&#39;abasaba,
 Application of Funds (Assets),Gukoresha Amafaranga (Umutungo),
 Application period cannot be across two allocation records,Igihe cyo gusaba ntigishobora kurenga inyandiko ebyiri zagenewe,
 Application period cannot be outside leave allocation period,Igihe cyo gusaba ntigishobora kuba hanze igihe cyo gutanga ikiruhuko,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Urutonde rwabanyamigabane baboneka bafite numero ya folio,
 Loading Payment System,Sisitemu yo Kwishura Sisitemu,
 Loan,Inguzanyo,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Umubare w&#39;inguzanyo ntushobora kurenza umubare ntarengwa w&#39;inguzanyo {0},
-Loan Application,Gusaba Inguzanyo,
-Loan Management,Gucunga inguzanyo,
-Loan Repayment,Kwishura Inguzanyo,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Itariki yo Gutangiriraho Inguzanyo nigihe cyinguzanyo ni itegeko kugirango uzigame inyemezabuguzi,
 Loans (Liabilities),Inguzanyo (Inshingano),
 Loans and Advances (Assets),Inguzanyo n&#39;Iterambere (Umutungo),
@@ -1611,7 +1605,6 @@
 Monday,Ku wa mbere,
 Monthly,Buri kwezi,
 Monthly Distribution,Ikwirakwizwa rya buri kwezi,
-Monthly Repayment Amount cannot be greater than Loan Amount,Amafaranga yo kwishyura buri kwezi ntashobora kurenza Amafaranga y&#39;inguzanyo,
 More,Ibindi,
 More Information,Ibisobanuro byinshi,
 More than one selection for {0} not allowed,Birenzeho guhitamo kuri {0} ntibyemewe,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Kwishura {0} {1},
 Payable,Yishyuwe,
 Payable Account,Konti yishyuwe,
-Payable Amount,Amafaranga yishyuwe,
 Payment,Kwishura,
 Payment Cancelled. Please check your GoCardless Account for more details,Ubwishyu bwahagaritswe. Nyamuneka reba Konti yawe ya GoCardless kugirango ubone ibisobanuro birambuye,
 Payment Confirmation,Kwemeza Kwishura,
-Payment Date,Itariki yo Kwishura,
 Payment Days,Iminsi yo Kwishura,
 Payment Document,Inyandiko yo Kwishura,
 Payment Due Date,Itariki yo Kwishura,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,Nyamuneka andika inyemezabuguzi,
 Please enter Receipt Document,Nyamuneka andika Inyandiko,
 Please enter Reference date,Nyamuneka andika itariki,
-Please enter Repayment Periods,Nyamuneka andika ibihe byo kwishyura,
 Please enter Reqd by Date,Nyamuneka andika Reqd kumunsi,
 Please enter Woocommerce Server URL,Nyamuneka andika URL ya Woocommerce,
 Please enter Write Off Account,Nyamuneka andika Kwandika Konti,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,Nyamuneka andika ikigo cyababyeyi,
 Please enter quantity for Item {0},Nyamuneka andika ingano yikintu {0},
 Please enter relieving date.,Nyamuneka andika itariki yo kugabanya.,
-Please enter repayment Amount,Nyamuneka andika amafaranga yo kwishyura,
 Please enter valid Financial Year Start and End Dates,Nyamuneka andika umwaka wemewe w&#39;Imari Itangira n&#39;iherezo,
 Please enter valid email address,Nyamuneka andika imeri yemewe,
 Please enter {0} first,Nyamuneka andika {0} mbere,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Amategeko agenga ibiciro arayungurura akurikije ubwinshi.,
 Primary Address Details,Aderesi Yibanze Ibisobanuro,
 Primary Contact Details,Ibisobanuro Byibanze Byamakuru,
-Principal Amount,Umubare w&#39;ingenzi,
 Print Format,Shira Imiterere,
 Print IRS 1099 Forms,Shira impapuro za IRS 1099,
 Print Report Card,Shira Ikarita Raporo,
@@ -2550,7 +2538,6 @@
 Sample Collection,Icyegeranyo cy&#39;icyitegererezo,
 Sample quantity {0} cannot be more than received quantity {1},Ingano ntangarugero {0} ntishobora kurenza umubare wakiriwe {1},
 Sanctioned,Yemerewe,
-Sanctioned Amount,Amafaranga yemejwe,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Amafaranga yemejwe ntashobora kuba arenze Amafaranga yo gusaba kumurongo {0}.,
 Sand,Umusenyi,
 Saturday,Ku wa gatandatu,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} isanzwe ifite uburyo bwababyeyi {1}.,
 API,API,
 Annual,Buri mwaka,
-Approved,Byemejwe,
 Change,Hindura,
 Contact Email,Menyesha imeri,
 Export Type,Ubwoko bwo kohereza hanze,
@@ -3571,7 +3557,6 @@
 Account Value,Agaciro Konti,
 Account is mandatory to get payment entries,Konti ni itegeko kugirango ubone ibyinjira,
 Account is not set for the dashboard chart {0},Konti ntabwo yashyizweho kubishushanyo mbonera {0},
-Account {0} does not belong to company {1},Konti {0} ntabwo ari iy&#39;isosiyete {1},
 Account {0} does not exists in the dashboard chart {1},Konti {0} ntabwo ibaho mubishushanyo mbonera {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Konti: <b>{0}</b> nigishoro Imirimo ikomeje kandi ntishobora kuvugururwa nibinyamakuru byinjira,
 Account: {0} is not permitted under Payment Entry,Konti: {0} ntabwo byemewe munsi yo Kwishura,
@@ -3582,7 +3567,6 @@
 Activity,Igikorwa,
 Add / Manage Email Accounts.,Ongeraho / Gucunga Konti imeri.,
 Add Child,Ongeraho Umwana,
-Add Loan Security,Ongeraho Inguzanyo,
 Add Multiple,Ongera Kugwiza,
 Add Participants,Ongeramo Abitabiriye,
 Add to Featured Item,Ongeraho Ikintu cyihariye,
@@ -3593,15 +3577,12 @@
 Address Line 1,Umurongo wa aderesi 1,
 Addresses,Aderesi,
 Admission End Date should be greater than Admission Start Date.,Itariki yo kurangiriraho igomba kuba irenze itariki yo gutangiriraho.,
-Against Loan,Kurwanya Inguzanyo,
-Against Loan:,Kurwanya Inguzanyo:,
 All,Byose,
 All bank transactions have been created,Ibikorwa byose bya banki byarakozwe,
 All the depreciations has been booked,Guta agaciro kwose byanditswe,
 Allocation Expired!,Isaranganya ryararangiye!,
 Allow Resetting Service Level Agreement from Support Settings.,Emera Kugarura Serivise Urwego Rurwego rwo Gushigikira Igenamiterere.,
 Amount of {0} is required for Loan closure,Umubare wa {0} urakenewe kugirango inguzanyo irangire,
-Amount paid cannot be zero,Amafaranga yishyuwe ntashobora kuba zeru,
 Applied Coupon Code,Ikoreshwa rya Coupon Code,
 Apply Coupon Code,Koresha Kode ya Coupon,
 Appointment Booking,Kwiyandikisha,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,Ntushobora Kubara Igihe cyo Kugera nkuko Umushoferi Aderesi yabuze.,
 Cannot Optimize Route as Driver Address is Missing.,Ntushobora Guhindura Inzira nkuko Aderesi Yumushoferi Yabuze.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Ntushobora kurangiza umurimo {0} nkigikorwa cyacyo {1} ntabwo cyarangiye / gihagaritswe.,
-Cannot create loan until application is approved,Ntushobora gutanga inguzanyo kugeza igihe byemewe,
 Cannot find a matching Item. Please select some other value for {0}.,Ntushobora kubona Ikintu gihuye. Nyamuneka hitamo izindi gaciro kuri {0}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Ntushobora kurenga kubintu {0} kumurongo {1} kurenza {2}. Kwemerera kwishura-fagitire, nyamuneka shiraho amafaranga muri Igenamiterere rya Konti",
 "Capacity Planning Error, planned start time can not be same as end time","Ubushobozi bwo Gutegura Ubushobozi, igihe cyateganijwe cyo gutangira ntigishobora kumera nkigihe cyanyuma",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Ntarengwa Umubare,
 Liabilities,Inshingano,
 Loading...,Kuremera ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Amafaranga y&#39;inguzanyo arenze umubare ntarengwa w&#39;inguzanyo {0} nkuko byateganijwe,
 Loan Applications from customers and employees.,Inguzanyo zisaba abakiriya n&#39;abakozi.,
-Loan Disbursement,Gutanga Inguzanyo,
 Loan Processes,Inzira y&#39;inguzanyo,
-Loan Security,Inguzanyo y&#39;inguzanyo,
-Loan Security Pledge,Inguzanyo y&#39;umutekano,
-Loan Security Pledge Created : {0},Ingwate Yumutekano Yinguzanyo Yashyizweho: {0},
-Loan Security Price,Inguzanyo yumutekano,
-Loan Security Price overlapping with {0},Inguzanyo Umutekano Igiciro cyuzuye {0},
-Loan Security Unpledge,Inguzanyo z&#39;umutekano,
-Loan Security Value,Inguzanyo Yumutekano,
 Loan Type for interest and penalty rates,Ubwoko bw&#39;inguzanyo ku nyungu n&#39;ibiciro by&#39;ibihano,
-Loan amount cannot be greater than {0},Umubare w&#39;inguzanyo ntushobora kurenza {0},
-Loan is mandatory,Inguzanyo ni itegeko,
 Loans,Inguzanyo,
 Loans provided to customers and employees.,Inguzanyo ihabwa abakiriya n&#39;abakozi.,
 Location,Aho biherereye,
@@ -3894,7 +3863,6 @@
 Pay,Kwishura,
 Payment Document Type,Ubwoko bw&#39;inyandiko yo kwishyura,
 Payment Name,Izina ryo Kwishura,
-Penalty Amount,Amafaranga y&#39;ibihano,
 Pending,Bitegereje,
 Performance,Imikorere,
 Period based On,Ikiringo gishingiye,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,Nyamuneka injira nkumukoresha wamasoko kugirango uhindure iki kintu.,
 Please login as a Marketplace User to report this item.,Nyamuneka injira nkumukoresha wamasoko kugirango utangaze iki kintu.,
 Please select <b>Template Type</b> to download template,Nyamuneka hitamo <b>Ubwoko bw&#39;icyitegererezo</b> kugirango ukuremo inyandikorugero,
-Please select Applicant Type first,Nyamuneka hitamo Ubwoko bw&#39;abasaba mbere,
 Please select Customer first,Nyamuneka hitamo umukiriya mbere,
 Please select Item Code first,Nyamuneka banza uhitemo kode yikintu,
-Please select Loan Type for company {0},Nyamuneka hitamo Ubwoko bw&#39;inguzanyo kuri sosiyete {0},
 Please select a Delivery Note,Nyamuneka hitamo Icyitonderwa,
 Please select a Sales Person for item: {0},Nyamuneka hitamo Umuntu ugurisha kubintu: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Nyamuneka hitamo ubundi buryo bwo kwishyura. Stripe ntabwo ishigikira ibikorwa byamafaranga &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Nyamuneka shiraho konti ya banki isanzwe ya sosiyete {0},
 Please specify,Nyamuneka sobanura,
 Please specify a {0},Nyamuneka sobanura {0},lead
-Pledge Status,Imiterere y&#39;imihigo,
-Pledge Time,Igihe cy&#39;Imihigo,
 Printing,Gucapa,
 Priority,Ibyingenzi,
 Priority has been changed to {0}.,Ibyingenzi byahinduwe kuri {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Gutunganya dosiye ya XML,
 Profitability,Inyungu,
 Project,Umushinga,
-Proposed Pledges are mandatory for secured Loans,Imihigo isabwa ni itegeko ku nguzanyo zishingiye,
 Provide the academic year and set the starting and ending date.,Tanga umwaka w&#39;amashuri hanyuma ushireho itariki yo gutangiriraho no kurangiriraho.,
 Public token is missing for this bank,Ikimenyetso rusange kibuze iyi banki,
 Publish,Tangaza,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Inyemezabuguzi yo kugura ntabwo ifite Ikintu icyo aricyo cyose cyo kugumana urugero.,
 Purchase Return,Kugura,
 Qty of Finished Goods Item,Qty Ibicuruzwa Byarangiye Ikintu,
-Qty or Amount is mandatroy for loan security,Qty cyangwa Amafaranga ni mandatroy kubwishingizi bwinguzanyo,
 Quality Inspection required for Item {0} to submit,Ubugenzuzi Bwiza busabwa Ingingo {0} gutanga,
 Quantity to Manufacture,Umubare wo gukora,
 Quantity to Manufacture can not be zero for the operation {0},Umubare wo gukora ntushobora kuba zeru kubikorwa {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Itariki Yoroheje igomba kuba irenze cyangwa ingana nitariki yo Kwinjira,
 Rename,Hindura izina,
 Rename Not Allowed,Guhindura izina Ntabwo byemewe,
-Repayment Method is mandatory for term loans,Uburyo bwo kwishyura ni itegeko ku nguzanyo zigihe gito,
-Repayment Start Date is mandatory for term loans,Itariki yo Gutangiriraho ni itegeko ku nguzanyo zigihe,
 Report Item,Raporo Ingingo,
 Report this Item,Menyesha iyi ngingo,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Yabitswe Qty kubikorwa byamasezerano: Ibikoresho bito byo gukora ibintu byasezeranijwe.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Umurongo ({0}): {1} yamaze kugabanywa muri {2},
 Rows Added in {0},Imirongo Yongeweho muri {0},
 Rows Removed in {0},Imirongo Yakuweho muri {0},
-Sanctioned Amount limit crossed for {0} {1},Amafaranga yemejwe ntarengwa yarenze {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},Amafaranga y&#39;inguzanyo yemerewe asanzweho kuri {0} kurwanya sosiyete {1},
 Save,Bika,
 Save Item,Bika Ikintu,
 Saved Items,Ibintu Byabitswe,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Umukoresha {0} arahagaritswe,
 Users and Permissions,Abakoresha nimpushya,
 Vacancies cannot be lower than the current openings,Imyanya ntishobora kuba munsi yifungura ryubu,
-Valid From Time must be lesser than Valid Upto Time.,Byemewe Kuva Igihe bigomba kuba bito kurenza Byemewe Igihe.,
 Valuation Rate required for Item {0} at row {1},Igipimo cyagaciro gisabwa kubintu {0} kumurongo {1},
 Values Out Of Sync,Indangagaciro Zihuza,
 Vehicle Type is required if Mode of Transport is Road,Ubwoko bwibinyabiziga burakenewe niba uburyo bwo gutwara abantu ari Umuhanda,
@@ -4211,7 +4168,6 @@
 Add to Cart,Ongera ku Ikarita,
 Days Since Last Order,Iminsi Kuva Urutonde Rwanyuma,
 In Stock,Mububiko,
-Loan Amount is mandatory,Amafaranga y&#39;inguzanyo ni itegeko,
 Mode Of Payment,Uburyo bwo Kwishura,
 No students Found,Nta banyeshuri babonetse,
 Not in Stock,Ntabwo ari mububiko,
@@ -4240,7 +4196,6 @@
 Group by,Itsinda by,
 In stock,Mububiko,
 Item name,Izina ryikintu,
-Loan amount is mandatory,Amafaranga y&#39;inguzanyo ni itegeko,
 Minimum Qty,Ntarengwa Qty,
 More details,Ibisobanuro birambuye,
 Nature of Supplies,Kamere y&#39;ibikoresho,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Byuzuye Byuzuye Qty,
 Qty to Manufacture,Qty to Manufacture,
 Repay From Salary can be selected only for term loans,Kwishura Kuva kumishahara birashobora gutoranywa gusa mugihe cyinguzanyo,
-No valid Loan Security Price found for {0},Nta giciro cyemewe cyinguzanyo cyabonetse kuri {0},
-Loan Account and Payment Account cannot be same,Konti y&#39;inguzanyo na Konti yo Kwishura ntibishobora kuba bimwe,
-Loan Security Pledge can only be created for secured loans,Ingwate y’inguzanyo irashobora gushirwaho gusa ku nguzanyo zishingiye,
 Social Media Campaigns,Kwamamaza imbuga nkoranyambaga,
 From Date can not be greater than To Date,Kuva Itariki ntishobora kuba irenze Itariki,
 Please set a Customer linked to the Patient,Nyamuneka shiraho Umukiriya uhujwe nUmurwayi,
@@ -6437,7 +6389,6 @@
 HR User,Umukoresha HR,
 Appointment Letter,Ibaruwa ishyirwaho,
 Job Applicant,Usaba akazi,
-Applicant Name,Izina ry&#39;abasaba,
 Appointment Date,Itariki yo gushyirwaho,
 Appointment Letter Template,Inyandiko Ibaruwa Igenamigambi,
 Body,Umubiri,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Guhuza,
 Hub Seller Name,Hub Kugurisha Izina,
 Custom Data,Amakuru yihariye,
-Member,Umunyamuryango,
-Partially Disbursed,Yatanzwe igice,
-Loan Closure Requested,Gusaba Inguzanyo Birasabwa,
 Repay From Salary,Kwishura Umushahara,
-Loan Details,Inguzanyo irambuye,
-Loan Type,Ubwoko bw&#39;inguzanyo,
-Loan Amount,Amafaranga y&#39;inguzanyo,
-Is Secured Loan,Ni Inguzanyo Yishingiwe,
-Rate of Interest (%) / Year,Igipimo cyinyungu (%) / Umwaka,
-Disbursement Date,Itariki yo Gutanga,
-Disbursed Amount,Amafaranga yatanzwe,
-Is Term Loan,Ni Inguzanyo y&#39;igihe,
-Repayment Method,Uburyo bwo Kwishura,
-Repay Fixed Amount per Period,Subiza Amafaranga ateganijwe mugihe runaka,
-Repay Over Number of Periods,Kwishura Umubare Wibihe,
-Repayment Period in Months,Igihe cyo Kwishura mu mezi,
-Monthly Repayment Amount,Amafaranga yo kwishyura buri kwezi,
-Repayment Start Date,Itariki yo Kwishura,
-Loan Security Details,Inguzanyo Yumutekano,
-Maximum Loan Value,Agaciro ntarengwa k&#39;inguzanyo,
-Account Info,Amakuru ya Konti,
-Loan Account,Konti y&#39;inguzanyo,
-Interest Income Account,Konti yinjira,
-Penalty Income Account,Konti yinjira,
-Repayment Schedule,Gahunda yo Kwishura,
-Total Payable Amount,Amafaranga yose yishyuwe,
-Total Principal Paid,Umuyobozi mukuru yishyuwe,
-Total Interest Payable,Inyungu zose Zishyuwe,
-Total Amount Paid,Amafaranga yose yishyuwe,
-Loan Manager,Umuyobozi w&#39;inguzanyo,
-Loan Info,Inguzanyo,
-Rate of Interest,Igipimo cy&#39;inyungu,
-Proposed Pledges,Imihigo yatanzwe,
-Maximum Loan Amount,Umubare w&#39;inguzanyo ntarengwa,
-Repayment Info,Amakuru yo Kwishura,
-Total Payable Interest,Inyungu zose zishyuwe,
-Against Loan ,Kurwanya Inguzanyo,
-Loan Interest Accrual,Inguzanyo zinguzanyo,
-Amounts,Amafaranga,
-Pending Principal Amount,Gutegereza Amafaranga Yingenzi,
-Payable Principal Amount,Amafaranga yishyuwe,
-Paid Principal Amount,Amafaranga yishyuwe,
-Paid Interest Amount,Amafaranga yishyuwe,
-Process Loan Interest Accrual,Gutunganya Inyungu Zinguzanyo,
-Repayment Schedule Name,Gahunda yo Kwishura Izina,
 Regular Payment,Kwishura bisanzwe,
 Loan Closure,Gufunga Inguzanyo,
-Payment Details,Ibisobanuro byo Kwishura,
-Interest Payable,Inyungu Yishyuwe,
-Amount Paid,Amafaranga yishyuwe,
-Principal Amount Paid,Umubare w&#39;amafaranga yishyuwe,
-Repayment Details,Ibisobanuro byo Kwishura,
-Loan Repayment Detail,Ibisobanuro birambuye byo kwishyura inguzanyo,
-Loan Security Name,Inguzanyo Izina ry&#39;umutekano,
-Unit Of Measure,Igice cyo gupima,
-Loan Security Code,Amategeko agenga umutekano,
-Loan Security Type,Ubwoko bw&#39;inguzanyo,
-Haircut %,Umusatsi%,
-Loan  Details,Inguzanyo irambuye,
-Unpledged,Ntabwo byemewe,
-Pledged,Imihigo,
-Partially Pledged,Imihigo,
-Securities,Impapuro zagaciro,
-Total Security Value,Agaciro k&#39;umutekano wose,
-Loan Security Shortfall,Inguzanyo Yumutekano,
-Loan ,Inguzanyo,
-Shortfall Time,Igihe gito,
-America/New_York,Amerika / New_York,
-Shortfall Amount,Umubare w&#39;amafaranga make,
-Security Value ,Agaciro k&#39;umutekano,
-Process Loan Security Shortfall,Gutunganya Inguzanyo Zumutekano,
-Loan To Value Ratio,Inguzanyo yo guha agaciro igipimo,
-Unpledge Time,Igihe cyo Kudasezerana,
-Loan Name,Izina ry&#39;inguzanyo,
 Rate of Interest (%) Yearly,Igipimo cyinyungu (%) Buri mwaka,
-Penalty Interest Rate (%) Per Day,Igipimo cyinyungu (%) kumunsi,
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Igipimo cyinyungu cyigihano gitangwa kumafaranga ategereje kumunsi burimunsi mugihe cyo gutinda kwishyura,
-Grace Period in Days,Igihe cyubuntu muminsi,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,Oya y&#39;iminsi uhereye igihe cyagenwe kugeza igihano kitazatangwa mugihe cyo gutinda kwishyura inguzanyo,
-Pledge,Imihigo,
-Post Haircut Amount,Kohereza Amafaranga yo Kogosha,
-Process Type,Ubwoko bwibikorwa,
-Update Time,Kuvugurura Igihe,
-Proposed Pledge,Imihigo,
-Total Payment,Amafaranga yose yishyuwe,
-Balance Loan Amount,Amafaranga y&#39;inguzanyo asigaye,
-Is Accrued,Yabaruwe,
 Salary Slip Loan,Inguzanyo y&#39;imishahara,
 Loan Repayment Entry,Inguzanyo yo Kwishura Inguzanyo,
-Sanctioned Loan Amount,Amafaranga y&#39;inguzanyo yemewe,
-Sanctioned Amount Limit,Umubare ntarengwa w&#39;amafaranga,
-Unpledge,Amasezerano,
-Haircut,Umusatsi,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Kora Gahunda,
 Schedules,Imikorere,
@@ -7885,7 +7749,6 @@
 Update Series,Kuvugurura Urukurikirane,
 Change the starting / current sequence number of an existing series.,Hindura intangiriro / ikurikirana ikurikirana yumubare uriho.,
 Prefix,Ijambo ryibanze,
-Current Value,Agaciro,
 This is the number of the last created transaction with this prefix,Numubare wanyuma wakozwe hamwe niyi prefix,
 Update Series Number,Kuvugurura inomero yuruhererekane,
 Quotation Lost Reason,Amagambo Yatakaye Impamvu,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise Basabwe Urwego Urwego,
 Lead Details,Kuyobora Ibisobanuro,
 Lead Owner Efficiency,Kuyobora neza nyirubwite,
-Loan Repayment and Closure,Kwishura inguzanyo no gufunga,
-Loan Security Status,Inguzanyo z&#39;umutekano,
 Lost Opportunity,Amahirwe Yatakaye,
 Maintenance Schedules,Ibikorwa byo Kubungabunga,
 Material Requests for which Supplier Quotations are not created,Gusaba Ibikoresho Kubitanga Byatanzwe,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Ibitego bigenewe: {0},
 Payment Account is mandatory,Konti yo kwishyura ni itegeko,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Iyo bigenzuwe, amafaranga yose azakurwa ku musoro usoreshwa mbere yo kubara umusoro ku nyungu nta tangazo cyangwa ibimenyetso byatanzwe.",
-Disbursement Details,Ibisobanuro birambuye,
 Material Request Warehouse,Ububiko busaba ibikoresho,
 Select warehouse for material requests,Hitamo ububiko bwibisabwa,
 Transfer Materials For Warehouse {0},Kohereza Ibikoresho Kububiko {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Subiza amafaranga atasabwe kuva kumushahara,
 Deduction from salary,Gukurwa ku mushahara,
 Expired Leaves,Amababi yarangiye,
-Reference No,Reba No.,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,Ijanisha ryimisatsi ni itandukaniro ryijanisha hagati yagaciro kisoko ryumutekano winguzanyo nagaciro kavuzwe kuri uwo mutekano winguzanyo mugihe ukoreshwa nkingwate kuri iyo nguzanyo.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,Inguzanyo yo Guha Agaciro Igipimo cyerekana igipimo cyamafaranga yinguzanyo nagaciro k’ingwate yatanzwe. Ikibazo cyo kubura inguzanyo kizaterwa niba ibi biri munsi yagaciro kagenewe inguzanyo iyo ari yo yose,
 If this is not checked the loan by default will be considered as a Demand Loan,Niba ibi bitagenzuwe inguzanyo byanze bikunze bizafatwa nkinguzanyo isabwa,
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Iyi konti ikoreshwa mugutanga inguzanyo zishyuwe nuwagurijwe kandi ikanatanga inguzanyo kubagurijwe,
 This account is capital account which is used to allocate capital for loan disbursal account ,Konti ni konti shingiro ikoreshwa mugutanga igishoro kuri konti yo gutanga inguzanyo,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Igikorwa {0} ntabwo kiri mubikorwa byakazi {1},
 Print UOM after Quantity,Shira UOM nyuma yumubare,
 Set default {0} account for perpetual inventory for non stock items,Shiraho isanzwe {0} konte yo kubara ibihe byose kubintu bitari ububiko,
-Loan Security {0} added multiple times,Inguzanyo y&#39;inguzanyo {0} yongeyeho inshuro nyinshi,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Inguzanyo zinguzanyo zingana na LTV zitandukanye ntizishobora gutangwaho inguzanyo imwe,
-Qty or Amount is mandatory for loan security!,Qty cyangwa Amafaranga ni itegeko kubwishingizi bwinguzanyo!,
-Only submittted unpledge requests can be approved,Gusa ibyifuzo byatanzwe bidasezeranijwe birashobora kwemerwa,
-Interest Amount or Principal Amount is mandatory,Umubare w&#39;inyungu cyangwa umubare w&#39;ingenzi ni itegeko,
-Disbursed Amount cannot be greater than {0},Amafaranga yatanzwe ntashobora kurenza {0},
-Row {0}: Loan Security {1} added multiple times,Umurongo {0}: Inguzanyo Umutekano {1} wongeyeho inshuro nyinshi,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Umurongo # {0}: Ikintu cyumwana ntigikwiye kuba ibicuruzwa. Nyamuneka kura Ikintu {1} hanyuma ubike,
 Credit limit reached for customer {0},Umubare w&#39;inguzanyo wageze kubakiriya {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Ntushobora kwikora kurema Umukiriya bitewe numwanya wabuze wabuze:,
diff --git a/erpnext/translations/si.csv b/erpnext/translations/si.csv
index 46dd4ea..b1d50a9 100644
--- a/erpnext/translations/si.csv
+++ b/erpnext/translations/si.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","සමාගම ස්පා, සාපා හෝ එස්ආර්එල් නම් අදාළ වේ",
 Applicable if the company is a limited liability company,සමාගම සීමිත වගකීම් සහිත සමාගමක් නම් අදාළ වේ,
 Applicable if the company is an Individual or a Proprietorship,සමාගම තනි පුද්ගලයෙක් හෝ හිමිකාරත්වයක් තිබේ නම් අදාළ වේ,
-Applicant,ඉල්ලුම්කරු,
-Applicant Type,අයදුම්කරු වර්ගය,
 Application of Funds (Assets),අරමුදල් ඉල්ලුම් පත්රය (වත්කම්),
 Application period cannot be across two allocation records,අයදුම්පත්ර කාලය වෙන් කළ ලේඛන දෙකක් අතර විය නොහැක,
 Application period cannot be outside leave allocation period,අයදුම් කාලය පිටත නිවාඩු වෙන් කාලය විය නොහැකි,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,කොටස් හිමියන්ගේ කොටස් ලැයිස්තුව,
 Loading Payment System,ගෙවීම් පද්ධතියක් පැටවීම,
 Loan,ණය,
-Loan Amount cannot exceed Maximum Loan Amount of {0},ණය මුදල {0} උපරිම ණය මුදල ඉක්මවා නො හැකි,
-Loan Application,ණය අයදුම්පත,
-Loan Management,ණය කළමනාකරණය,
-Loan Repayment,ණය ආපසු ගෙවීමේ,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,ඉන්වොයිස් වට්ටම් සුරැකීමට ණය ආරම්භක දිනය සහ ණය කාලය අනිවාර්ය වේ,
 Loans (Liabilities),ණය (වගකීම්),
 Loans and Advances (Assets),"ණය හා අත්තිකාරම්, (වත්කම්)",
@@ -1611,7 +1605,6 @@
 Monday,සදුදා,
 Monthly,මාසික,
 Monthly Distribution,මාසික බෙදාහැරීම්,
-Monthly Repayment Amount cannot be greater than Loan Amount,මාසික නැවත ගෙවීමේ ප්රමාණය ණය මුදල වඩා වැඩි විය නොහැකි,
 More,තව,
 More Information,වැඩිදුර තොරතුරු,
 More than one selection for {0} not allowed,{0} සඳහා එක් තේරීමක් සඳහා අවසර නැත,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},{0} {1},
 Payable,ගෙවිය යුතු,
 Payable Account,ගෙවිය යුතු ගිණුම්,
-Payable Amount,ගෙවිය යුතු මුදල,
 Payment,ගෙවීම,
 Payment Cancelled. Please check your GoCardless Account for more details,ගෙවීම් අවලංගු වේ. වැඩි විස්තර සඳහා ඔබගේ GoCardless ගිණුම පරීක්ෂා කරන්න,
 Payment Confirmation,ගෙවීම් තහවුරු කිරීම,
-Payment Date,ගෙවීමේ දිනය,
 Payment Days,ගෙවීම් දින,
 Payment Document,ගෙවීම් ලේඛන,
 Payment Due Date,ගෙවීම් නියමිත දිනය,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,මිලදී ගැනීම රිසිට්පත පළමු ඇතුලත් කරන්න,
 Please enter Receipt Document,රිසිට්පත ලේඛන ඇතුලත් කරන්න,
 Please enter Reference date,විමර්ශන දිනය ඇතුලත් කරන්න,
-Please enter Repayment Periods,ණය ආපසු ගෙවීමේ කාල සීමාවක් ඇතුල් කරන්න,
 Please enter Reqd by Date,කරුණාකර Date by Reqd ඇතුලත් කරන්න,
 Please enter Woocommerce Server URL,කරුණාකර Woocommerce සේවාදායකයේ URL එක ඇතුලත් කරන්න,
 Please enter Write Off Account,ගිණුම අක්රිය ලියන්න ඇතුලත් කරන්න,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,මව් වියදම් මධ්යස්ථානය ඇතුලත් කරන්න,
 Please enter quantity for Item {0},විෂය {0} සඳහා ප්රමාණය ඇතුලත් කරන්න,
 Please enter relieving date.,ලිහිල් දිනය ඇතුලත් කරන්න.,
-Please enter repayment Amount,ණය ආපසු ගෙවීමේ ප්රමාණය ඇතුලත් කරන්න,
 Please enter valid Financial Year Start and End Dates,වලංගු මුදල් වර්ෂය ආරම්භය හා අවසානය දිනයන් ඇතුලත් කරන්න,
 Please enter valid email address,වලංගු ඊ-තැපැල් ලිපිනයක් ඇතුලත් කරන්න,
 Please enter {0} first,{0} ඇතුලත් කරන්න පළමු,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,ප්රමාණය මත පදනම් මිල ගණන් රීති තවදුරටත් පෙරනු ලබයි.,
 Primary Address Details,ප්රාථමික ලිපිනයන් විස්තර,
 Primary Contact Details,ප්රාථමික ඇමතුම් විස්තර,
-Principal Amount,විදුහල්පති මුදල,
 Print Format,මුද්රණය ආකෘතිය,
 Print IRS 1099 Forms,IRS 1099 ආකෘති මුද්‍රණය කරන්න,
 Print Report Card,මුද්රණ වාර්තා කාඩ්පත මුද්රණය කරන්න,
@@ -2550,7 +2538,6 @@
 Sample Collection,සාම්පල එකතුව,
 Sample quantity {0} cannot be more than received quantity {1},සාම්පල ප්රමාණය {0} ප්රමාණයට වඩා වැඩි විය නොහැක {1},
 Sanctioned,අනුමත,
-Sanctioned Amount,අනුමැතිය ලත් මුදල,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,අනුමැතිය ලත් මුදල ෙරෝ {0} තුළ හිමිකම් ප්රමාණය ට වඩා වැඩි විය නොහැක.,
 Sand,වැලි,
 Saturday,සෙනසුරාදා,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} දැනටමත් දෙමාපිය ක්‍රියා පටිපාටියක් ඇත {1}.,
 API,API,
 Annual,වාර්ෂික,
-Approved,අනුමත,
 Change,වෙනස්,
 Contact Email,අප අමතන්න විද්යුත්,
 Export Type,අපනයන වර්ගය,
@@ -3571,7 +3557,6 @@
 Account Value,ගිණුම් වටිනාකම,
 Account is mandatory to get payment entries,ගෙවීම් ඇතුළත් කිරීම් ලබා ගැනීම සඳහා ගිණුම අනිවාර්ය වේ,
 Account is not set for the dashboard chart {0},උපකරණ පුවරුව {0 for සඳහා ගිණුම සකසා නොමැත,
-Account {0} does not belong to company {1},ගිණුම {0} සමාගම {1} අයත් නොවේ,
 Account {0} does not exists in the dashboard chart {1},ගිණුම් පුවරුව {1 the උපකරණ පුවරුවේ නොමැත {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,ගිණුම: <b>{0</b> capital ප්‍රාග්ධනය වැඩ කරමින් පවතින අතර ජර්නල් ප්‍රවේශය මඟින් යාවත්කාලීන කළ නොහැක,
 Account: {0} is not permitted under Payment Entry,ගිණුම: ගෙවීම් ප්‍රවේශය යටතේ {0 අවසර නැත,
@@ -3582,7 +3567,6 @@
 Activity,ක්රියාකාරකම්,
 Add / Manage Email Accounts.,එකතු කරන්න / විද්යුත් ගිණුම් කළමනාකරණය කරන්න.,
 Add Child,ළමා එකතු කරන්න,
-Add Loan Security,ණය ආරක්ෂාව එක් කරන්න,
 Add Multiple,බහු එකතු,
 Add Participants,සහභාගිවන්න එකතු කරන්න,
 Add to Featured Item,විශේෂිත අයිතමයට එක් කරන්න,
@@ -3593,15 +3577,12 @@
 Address Line 1,ලිපින පේළි 1,
 Addresses,ලිපින,
 Admission End Date should be greater than Admission Start Date.,ඇතුළත් වීමේ අවසන් දිනය ඇතුළත් වීමේ ආරම්භක දිනයට වඩා වැඩි විය යුතුය.,
-Against Loan,ණයට එරෙහිව,
-Against Loan:,ණයට එරෙහිව:,
 All,සෑම,
 All bank transactions have been created,සියලුම බැංකු ගනුදෙනු නිර්මාණය කර ඇත,
 All the depreciations has been booked,සියලුම ක්ෂය කිරීම් වෙන් කර ඇත,
 Allocation Expired!,වෙන් කිරීම කල් ඉකුත් විය!,
 Allow Resetting Service Level Agreement from Support Settings.,උපකාරක සැකසුම් වලින් සේවා මට්ටමේ ගිවිසුම නැවත සැකසීමට ඉඩ දෙන්න.,
 Amount of {0} is required for Loan closure,ණය වසා දැමීම සඳහා {0 of අවශ්‍ය වේ,
-Amount paid cannot be zero,ගෙවන මුදල ශුන්‍ය විය නොහැක,
 Applied Coupon Code,ව්‍යවහාරික කූපන් කේතය,
 Apply Coupon Code,කූපන් කේතය යොදන්න,
 Appointment Booking,පත්වීම් වෙන්කරවා ගැනීම,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,රියදුරු ලිපිනය අස්ථානගත වී ඇති බැවින් පැමිණීමේ වේලාව ගණනය කළ නොහැක.,
 Cannot Optimize Route as Driver Address is Missing.,රියදුරු ලිපිනය අස්ථානගත වී ඇති බැවින් මාර්ගය ප්‍රශස්තිකරණය කළ නොහැක.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,රඳා පවතින කාර්යය {1 c සම්පුර්ණ කළ නොහැක / අවලංගු කර නැත.,
-Cannot create loan until application is approved,අයදුම්පත අනුමත වන තුරු ණය නිර්මාණය කළ නොහැක,
 Cannot find a matching Item. Please select some other value for {0}.,ගැලපෙන විෂය සොයා ගැනීමට නොහැක. කරුණාකර {0} සඳහා තවත් අගය තෝරන්න.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","{1 row පේළියේ {0} {2} ට වඩා වැඩි අයිතමයක් සඳහා අධික ලෙස ගෙවිය නොහැක. වැඩිපුර බිල් කිරීමට ඉඩ දීම සඳහා, කරුණාකර ගිණුම් සැකසුම් තුළ දීමනාව සකසන්න",
 "Capacity Planning Error, planned start time can not be same as end time","ධාරිතා සැලසුම් කිරීමේ දෝෂය, සැලසුම් කළ ආරම්භක වේලාව අවසන් කාලය හා සමාන විය නොහැක",
@@ -3812,20 +3792,9 @@
 Less Than Amount,මුදලට වඩා අඩුය,
 Liabilities,වගකීම්,
 Loading...,Loading ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,යෝජිත සුරැකුම්පත් අනුව ණය මුදල උපරිම ණය මුදල {0 ඉක්මවයි,
 Loan Applications from customers and employees.,ගනුදෙනුකරුවන්ගෙන් සහ සේවකයින්ගෙන් ණය අයදුම්පත්.,
-Loan Disbursement,ණය බෙදා හැරීම,
 Loan Processes,ණය ක්‍රියාවලි,
-Loan Security,ණය ආරක්ෂාව,
-Loan Security Pledge,ණය ආරක්ෂක පොරොන්දුව,
-Loan Security Pledge Created : {0},ණය ආරක්ෂණ ප්‍රති ledge ාව නිර්මාණය කරන ලදි: {0},
-Loan Security Price,ණය ආරක්ෂණ මිල,
-Loan Security Price overlapping with {0},Security 0 with සමඟ ණය ආරක්ෂණ මිල අතිච්ඡාදනය වේ,
-Loan Security Unpledge,ණය ආරක්ෂණ අසම්පූර්ණයි,
-Loan Security Value,ණය ආරක්ෂණ වටිනාකම,
 Loan Type for interest and penalty rates,පොලී සහ දඩ ගාස්තු සඳහා ණය වර්ගය,
-Loan amount cannot be greater than {0},ණය මුදල {0 than ට වඩා වැඩි විය නොහැක,
-Loan is mandatory,ණය අනිවාර්ය වේ,
 Loans,ණය,
 Loans provided to customers and employees.,ගනුදෙනුකරුවන්ට සහ සේවකයින්ට ලබා දෙන ණය.,
 Location,ස්ථානය,
@@ -3894,7 +3863,6 @@
 Pay,වැටුප්,
 Payment Document Type,ගෙවීම් ලේඛන වර්ගය,
 Payment Name,ගෙවීම් නම,
-Penalty Amount,දඩ මුදල,
 Pending,විභාග,
 Performance,කාර්ය සාධනය,
 Period based On,කාල සීමාව පදනම් කරගෙන,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,මෙම අයිතමය සංස්කරණය කිරීමට කරුණාකර වෙළඳපල පරිශීලකයෙකු ලෙස පිවිසෙන්න.,
 Please login as a Marketplace User to report this item.,මෙම අයිතමය වාර්තා කිරීම සඳහා කරුණාකර වෙළඳපල පරිශීලකයෙකු ලෙස පුරනය වන්න.,
 Please select <b>Template Type</b> to download template,අච්චුව බාගත කිරීම සඳහා කරුණාකර <b>අච්චු වර්ගය</b> තෝරන්න,
-Please select Applicant Type first,කරුණාකර පළමුව අයදුම්කරු වර්ගය තෝරන්න,
 Please select Customer first,කරුණාකර පළමුව පාරිභෝගිකයා තෝරන්න,
 Please select Item Code first,කරුණාකර පළමුව අයිතම කේතය තෝරන්න,
-Please select Loan Type for company {0},කරුණාකර company 0 company සමාගම සඳහා ණය වර්ගය තෝරන්න,
 Please select a Delivery Note,කරුණාකර බෙදා හැරීමේ සටහනක් තෝරන්න,
 Please select a Sales Person for item: {0},කරුණාකර අයිතමය සඳහා විකුණුම් පුද්ගලයෙකු තෝරන්න: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',කරුණාකර වෙනත් ගෙවීමේ ක්රමයක් තෝරාගන්න. Stripe මුදල් ගනුදෙනු සඳහා පහසුකම් සපයන්නේ නැත &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},කරුණාකර company 0 company සමාගම සඳහා සුපුරුදු බැංකු ගිණුමක් සකසන්න,
 Please specify,සඳහන් කරන්න,
 Please specify a {0},කරුණාකර {0} සඳහන් කරන්න,lead
-Pledge Status,ප්‍රති ledge ා තත්ත්වය,
-Pledge Time,ප්‍රති ledge ා කාලය,
 Printing,මුද්රණ,
 Priority,ප්රමුඛ,
 Priority has been changed to {0}.,ප්‍රමුඛතාවය {0 to ලෙස වෙනස් කර ඇත.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,XML ගොනු සැකසීම,
 Profitability,ලාභදායීතාවය,
 Project,ව්යාපෘති,
-Proposed Pledges are mandatory for secured Loans,සුරක්ෂිත ණය සඳහා යෝජිත ප්‍රති led ා අනිවාර්ය වේ,
 Provide the academic year and set the starting and ending date.,අධ්‍යයන වර්ෂය ලබා දී ආරම්භක හා අවසන් දිනය නියම කරන්න.,
 Public token is missing for this bank,මෙම බැංකුව සඳහා පොදු ටෝකනයක් නොමැත,
 Publish,පළ කරන්න,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,මිලදී ගැනීමේ කුවිතාන්සිය තුළ රඳවා ගැනීමේ නියැදිය සක්‍රීය කර ඇති අයිතමයක් නොමැත.,
 Purchase Return,මිලදී ගැනීම ප්රතිලාභ,
 Qty of Finished Goods Item,නිමි භාණ්ඩ අයිතමයේ ප්‍රමාණය,
-Qty or Amount is mandatroy for loan security,ණය සුරක්‍ෂිතතාවය සඳහා Qty හෝ මුදල මැන්ඩට්‍රෝයි,
 Quality Inspection required for Item {0} to submit,Item 0 item අයිතමය ඉදිරිපත් කිරීම සඳහා තත්ත්ව පරීක්ෂාව අවශ්‍ය වේ,
 Quantity to Manufacture,නිෂ්පාදනය සඳහා ප්‍රමාණය,
 Quantity to Manufacture can not be zero for the operation {0},To 0 the මෙහෙයුම සඳහා නිෂ්පාදනයේ ප්‍රමාණය ශුන්‍ය විය නොහැක,
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,සහන දිනය එක්වන දිනයට වඩා වැඩි හෝ සමාන විය යුතුය,
 Rename,නැවත නම් කරන්න,
 Rename Not Allowed,නැවත නම් කිරීමට අවසර නැත,
-Repayment Method is mandatory for term loans,කාලීන ණය සඳහා ආපසු ගෙවීමේ ක්‍රමය අනිවාර්ය වේ,
-Repayment Start Date is mandatory for term loans,කාලීන ණය සඳහා ආපසු ගෙවීමේ ආරම්භක දිනය අනිවාර්ය වේ,
 Report Item,අයිතමය වාර්තා කරන්න,
 Report this Item,මෙම අයිතමය වාර්තා කරන්න,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,උප කොන්ත්‍රාත්තු සඳහා වෙන් කර ඇති Qty: උප කොන්ත්‍රාත් අයිතම සෑදීම සඳහා අමුද්‍රව්‍ය ප්‍රමාණය.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},පේළිය ({0}): {1 already දැනටමත් {2 in වලින් වට්ටම් කර ඇත,
 Rows Added in {0},{0 in හි පේළි එකතු කරන ලදි,
 Rows Removed in {0},{0 in වලින් ඉවත් කළ පේළි,
-Sanctioned Amount limit crossed for {0} {1},අනුමත කළ මුදල සීමාව {0} {1 for සඳහා ඉක්මවා ඇත,
-Sanctioned Loan Amount already exists for {0} against company {1},{1 company සමාගමට එරෙහිව {0 for සඳහා අනුමත ණය මුදල දැනටමත් පවතී,
 Save,සුරකින්න,
 Save Item,අයිතමය සුරකින්න,
 Saved Items,සුරකින ලද අයිතම,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,පරිශීලක {0} අක්රීය,
 Users and Permissions,පරිශීලකයන් හා අවසර,
 Vacancies cannot be lower than the current openings,පුරප්පාඩු වත්මන් විවෘත කිරීම් වලට වඩා අඩු විය නොහැක,
-Valid From Time must be lesser than Valid Upto Time.,වලංගු කාලය කාලයට වඩා වලංගු විය යුතුය.,
 Valuation Rate required for Item {0} at row {1},{1 row පේළියේ {0 item අයිතමය සඳහා තක්සේරු අනුපාතය අවශ්‍ය වේ,
 Values Out Of Sync,සමමුහුර්තතාවයෙන් පිටත වටිනාකම්,
 Vehicle Type is required if Mode of Transport is Road,ප්‍රවාහන ක්‍රමය මාර්ගයක් නම් වාහන වර්ගය අවශ්‍ය වේ,
@@ -4211,7 +4168,6 @@
 Add to Cart,ගැලට එක් කරන්න,
 Days Since Last Order,අවසාන ඇණවුමේ දින සිට,
 In Stock,ගබඩාවේ ඇත,
-Loan Amount is mandatory,ණය මුදල අනිවාර්ය වේ,
 Mode Of Payment,ගෙවීම් ක්රමය,
 No students Found,සිසුන් හමු නොවීය,
 Not in Stock,නැහැ දී කොටස්,
@@ -4240,7 +4196,6 @@
 Group by,කණ්ඩායම විසින්,
 In stock,ගබඩාවේ ඇත,
 Item name,අයිතමය නම,
-Loan amount is mandatory,ණය මුදල අනිවාර්ය වේ,
 Minimum Qty,අවම වශයෙන් Qty,
 More details,වැඩිපුර විස්තර,
 Nature of Supplies,සැපයුම් ස්වභාවය,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,සම්පුර්ණ කරන ලද Qty,
 Qty to Manufacture,යවන ලද නිෂ්පාදනය කිරීම සඳහා,
 Repay From Salary can be selected only for term loans,වැටුපෙන් ආපසු ගෙවීම තෝරා ගත හැක්කේ කාලීන ණය සඳහා පමණි,
-No valid Loan Security Price found for {0},Valid 0 for සඳහා වලංගු ණය ආරක්ෂණ මිලක් හමු නොවීය,
-Loan Account and Payment Account cannot be same,ණය ගිණුම සහ ගෙවීම් ගිණුම සමාන විය නොහැක,
-Loan Security Pledge can only be created for secured loans,ණය ආරක්ෂක ප්‍රති ledge ාව නිර්මාණය කළ හැක්කේ සුරක්ෂිත ණය සඳහා පමණි,
 Social Media Campaigns,සමාජ මාධ්‍ය ව්‍යාපාර,
 From Date can not be greater than To Date,දිනය සිට දිනට වඩා වැඩි විය නොහැක,
 Please set a Customer linked to the Patient,කරුණාකර රෝගියාට සම්බන්ධ පාරිභෝගිකයෙකු සකසන්න,
@@ -6437,7 +6389,6 @@
 HR User,මානව සම්පත් පරිශීලක,
 Appointment Letter,පත්වීම් ලිපිය,
 Job Applicant,රැකියා අයදුම්කරු,
-Applicant Name,අයදුම්කරු නම,
 Appointment Date,පත්වීම් දිනය,
 Appointment Letter Template,පත්වීම් ලිපි ආකෘතිය,
 Body,සිරුර,
@@ -7059,99 +7010,12 @@
 Sync in Progress,ප්රගතිය සමමුහුර්ත කරන්න,
 Hub Seller Name,විකුණුම්කරුගේ නම,
 Custom Data,අභිරුචි දත්ත,
-Member,සාමාජිකයෙකි,
-Partially Disbursed,අර්ධ වශයෙන් මුදාහැරේ,
-Loan Closure Requested,ණය වසා දැමීම ඉල්ලා ඇත,
 Repay From Salary,වැටුප් සිට ආපසු ගෙවීම,
-Loan Details,ණය තොරතුරු,
-Loan Type,ණය වර්ගය,
-Loan Amount,ණය මුදල,
-Is Secured Loan,සුරක්ෂිත ණය වේ,
-Rate of Interest (%) / Year,පොලී අනුපාතය (%) / අවුරුද්ද,
-Disbursement Date,ටහිර දිනය,
-Disbursed Amount,බෙදා හරින ලද මුදල,
-Is Term Loan,කාලීන ණය වේ,
-Repayment Method,ණය ආපසු ගෙවීමේ ක්රමය,
-Repay Fixed Amount per Period,කාලය අනුව ස්ථාවර මුදල ආපසු ගෙවීම,
-Repay Over Number of Periods,"කාල පරිච්ඡේදය, සංඛ්යාව අධික ආපසු ගෙවීම",
-Repayment Period in Months,මාස තුළ ආපසු ගෙවීමේ කාලය,
-Monthly Repayment Amount,මාසික නැවත ගෙවන ප්රමාණය,
-Repayment Start Date,ආපසු ගෙවීමේ ආරම්භක දිනය,
-Loan Security Details,ණය ආරක්ෂණ තොරතුරු,
-Maximum Loan Value,උපරිම ණය වටිනාකම,
-Account Info,ගිණුමක් තොරතුරු,
-Loan Account,ණය ගිණුම,
-Interest Income Account,පොලී ආදායම ගිණුම,
-Penalty Income Account,දඩ ආදායම් ගිණුම,
-Repayment Schedule,ණය ආපසු ගෙවීමේ කාලසටහන,
-Total Payable Amount,මුළු ගෙවිය යුතු මුදල,
-Total Principal Paid,ගෙවන ලද මුළු විදුහල්පති,
-Total Interest Payable,සම්පූර්ණ පොලී ගෙවිය යුතු,
-Total Amount Paid,මුළු මුදල ගෙවා ඇත,
-Loan Manager,ණය කළමනාකරු,
-Loan Info,ණය තොරතුරු,
-Rate of Interest,පොලී අනුපාතය,
-Proposed Pledges,යෝජිත පොරොන්දු,
-Maximum Loan Amount,උපරිම ණය මුදල,
-Repayment Info,ණය ආපසු ගෙවීමේ තොරතුරු,
-Total Payable Interest,මුළු ගෙවිය යුතු පොලී,
-Against Loan ,ණයට එරෙහිව,
-Loan Interest Accrual,ණය පොලී උපචිතය,
-Amounts,මුදල්,
-Pending Principal Amount,ප්‍රධාන මුදල ඉතිරිව තිබේ,
-Payable Principal Amount,ගෙවිය යුතු ප්‍රධාන මුදල,
-Paid Principal Amount,ගෙවන ලද ප්‍රධාන මුදල,
-Paid Interest Amount,ගෙවූ පොලී මුදල,
-Process Loan Interest Accrual,ණය පොලී උපචිත ක්‍රියාවලිය,
-Repayment Schedule Name,ආපසු ගෙවීමේ උපලේඛනයේ නම,
 Regular Payment,නිතිපතා ගෙවීම,
 Loan Closure,ණය වසා දැමීම,
-Payment Details,ගෙවීම් තොරතුරු,
-Interest Payable,පොලී ගෙවිය යුතු,
-Amount Paid,ු ර්,
-Principal Amount Paid,ගෙවන ලද ප්‍රධාන මුදල,
-Repayment Details,ආපසු ගෙවීමේ විස්තර,
-Loan Repayment Detail,ණය ආපසු ගෙවීමේ විස්තරය,
-Loan Security Name,ණය ආරක්ෂණ නම,
-Unit Of Measure,මිනුම් ඒකකය,
-Loan Security Code,ණය ආරක්ෂක කේතය,
-Loan Security Type,ණය ආරක්ෂණ වර්ගය,
-Haircut %,කප්පාදුව%,
-Loan  Details,ණය විස්තර,
-Unpledged,නොකැඩූ,
-Pledged,ප්‍රති led ා දී ඇත,
-Partially Pledged,අර්ධ වශයෙන් ප්‍රති led ා දී ඇත,
-Securities,සුරැකුම්පත්,
-Total Security Value,සම්පූර්ණ ආරක්ෂක වටිනාකම,
-Loan Security Shortfall,ණය ආරක්ෂණ හිඟය,
-Loan ,ණය,
-Shortfall Time,හිඟ කාලය,
-America/New_York,ඇමරිකාව / නිව්_යෝක්,
-Shortfall Amount,හිඟ මුදල,
-Security Value ,ආරක්ෂක වටිනාකම,
-Process Loan Security Shortfall,ක්‍රියාවලි ණය ආරක්ෂණ හිඟය,
-Loan To Value Ratio,අගය අනුපාතයට ණය,
-Unpledge Time,කාලය ඉවත් කරන්න,
-Loan Name,ණය නම,
 Rate of Interest (%) Yearly,පොලී අනුපාතය (%) වාර්ෂික,
-Penalty Interest Rate (%) Per Day,දඩ පොලී අනුපාතය (%) දිනකට,
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,ආපසු ගෙවීම ප්‍රමාද වුවහොත් දිනපතා අපේක්ෂිත පොලී මුදල මත දඩ පොලී අනුපාතය අය කෙරේ,
-Grace Period in Days,දින තුළ ග්‍රේස් කාලය,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,ණය ආපසු ගෙවීම ප්‍රමාද වුවහොත් දඩ මුදලක් අය නොකෙරෙන දින සිට නියමිත දින දක්වා,
-Pledge,ප්‍රති ledge ාව,
-Post Haircut Amount,කප්පාදුවේ මුදල,
-Process Type,ක්‍රියාවලි වර්ගය,
-Update Time,යාවත්කාලීන කාලය,
-Proposed Pledge,යෝජිත පොරොන්දුව,
-Total Payment,මුළු ගෙවීම්,
-Balance Loan Amount,ඉතිරි ණය මුදල,
-Is Accrued,උපචිත වේ,
 Salary Slip Loan,වැටුප් ස්ලිප් ණය,
 Loan Repayment Entry,ණය ආපසු ගෙවීමේ ප්‍රවේශය,
-Sanctioned Loan Amount,අනුමත ණය මුදල,
-Sanctioned Amount Limit,අනුමත කළ සීමාව,
-Unpledge,ඉවත් කරන්න,
-Haircut,කප්පාදුව,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY-,
 Generate Schedule,උපෙල්ඛනෙය් උත්පාදනය,
 Schedules,කාලසටහන්,
@@ -7885,7 +7749,6 @@
 Update Series,යාවත්කාලීන ශ්රේණි,
 Change the starting / current sequence number of an existing series.,දැනට පවතින මාලාවේ ආරම්භක / වත්මන් අනුක්රමය අංකය වෙනස් කරන්න.,
 Prefix,උපසර්ගය,
-Current Value,වත්මන් වටිනාකම,
 This is the number of the last created transaction with this prefix,මෙය මේ උපසර්ගය සහිත පසුගිය නිර්මාණය ගනුදෙනුව සංඛ්යාව වේ,
 Update Series Number,යාවත්කාලීන ශ්රේණි අංකය,
 Quotation Lost Reason,උද්ධෘත ලොස්ට් හේතුව,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise සීරුමාරු කිරීමේ පෙළ නිර්දේශිත,
 Lead Details,ඊයම් විස්තර,
 Lead Owner Efficiency,ඊයම් හිමිකරු කාර්යක්ෂමතා,
-Loan Repayment and Closure,ණය ආපසු ගෙවීම සහ වසා දැමීම,
-Loan Security Status,ණය ආරක්ෂණ තත්ත්වය,
 Lost Opportunity,අවස්ථාව අහිමි විය,
 Maintenance Schedules,නඩත්තු කාලසටහන,
 Material Requests for which Supplier Quotations are not created,සැපයුම්කරු මිල ගණන් නිර්මාණය නොවන සඳහා ද්රව්ය ඉල්ලීම්,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},ඉලක්ක කළ ගණන්: {0},
 Payment Account is mandatory,ගෙවීම් ගිණුම අනිවාර්ය වේ,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","පරික්ෂා කර බැලුවහොත්, කිසිදු ප්‍රකාශයක් හෝ සාක්ෂි ඉදිරිපත් කිරීමකින් තොරව ආදායම් බදු ගණනය කිරීමට පෙර සම්පූර්ණ මුදල බදු අය කළ හැකි ආදායමෙන් අඩු කරනු ලැබේ.",
-Disbursement Details,බෙදා හැරීමේ විස්තර,
 Material Request Warehouse,ද්‍රව්‍ය ඉල්ලීම් ගබඩාව,
 Select warehouse for material requests,ද්‍රව්‍යමය ඉල්ලීම් සඳහා ගබඩාව තෝරන්න,
 Transfer Materials For Warehouse {0},ගබඩාව සඳහා ද්‍රව්‍ය මාරු කිරීම {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,ඉල්ලුම් නොකළ මුදල වැටුපෙන් ආපසු ගෙවන්න,
 Deduction from salary,වැටුපෙන් අඩු කිරීම,
 Expired Leaves,කල් ඉකුත් වූ කොළ,
-Reference No,යොමු අංකය,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,කප්පාදුවේ ප්‍රතිශතය යනු ණය සුරක්‍ෂිතතාවයේ වෙළඳපල වටිනාකම සහ එම ණය සඳහා ඇපකරයක් ලෙස භාවිතා කරන විට එම ණය සුරක්‍ෂිතතාවයට නියම කර ඇති වටිනාකම අතර ප්‍රතිශත වෙනසයි.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,ණය සඳහා වටිනාකම් අනුපාතය මඟින් පොරොන්දු වූ සුරක්‍ෂිතතාවයේ වටිනාකමට ණය මුදල අනුපාතය ප්‍රකාශ කරයි. කිසියම් ණයක් සඳහා නිශ්චිත වටිනාකමට වඩා පහත වැටුණහොත් ණය ආරක්ෂණ හිඟයක් ඇති වේ,
 If this is not checked the loan by default will be considered as a Demand Loan,මෙය පරීක්‍ෂා නොකළ හොත් ණය පෙරනිමියෙන් ඉල්ලුම් ණය ලෙස සැලකේ,
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,මෙම ගිණුම ණය ගැනුම්කරුගෙන් ණය ආපසු ගෙවීම් වෙන්කරවා ගැනීම සඳහා සහ ණය ගැනුම්කරුට ණය ලබා දීම සඳහා යොදා ගනී,
 This account is capital account which is used to allocate capital for loan disbursal account ,මෙම ගිණුම ණය බෙදා හැරීමේ ගිණුම සඳහා ප්‍රාග්ධනය වෙන් කිරීම සඳහා භාවිතා කරන ප්‍රාග්ධන ගිණුමකි,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Order 0 the මෙහෙයුම order 1 order වැඩ ඇණවුමට අයත් නොවේ,
 Print UOM after Quantity,ප්‍රමාණයෙන් පසු UOM මුද්‍රණය කරන්න,
 Set default {0} account for perpetual inventory for non stock items,කොටස් නොවන අයිතම සඳහා නිරන්තර ඉන්වෙන්ටරි සඳහා පෙරනිමි {0} ගිණුම සකසන්න,
-Loan Security {0} added multiple times,ණය ආරක්ෂාව {0 multiple කිහිප වතාවක් එකතු කරන ලදි,
-Loan Securities with different LTV ratio cannot be pledged against one loan,විවිධ LTV අනුපාතයක් සහිත ණය සුරැකුම්පත් එක් ණයක් සඳහා පොරොන්දු විය නොහැක,
-Qty or Amount is mandatory for loan security!,ණය සුරක්‍ෂිතතාව සඳහා ප්‍රමාණය හෝ මුදල අනිවාර්ය වේ!,
-Only submittted unpledge requests can be approved,අනුමත කළ හැක්කේ ඉදිරිපත් නොකළ ඉල්ලීම් පමණි,
-Interest Amount or Principal Amount is mandatory,පොලී මුදල හෝ ප්‍රධාන මුදල අනිවාර්ය වේ,
-Disbursed Amount cannot be greater than {0},බෙදා හරින ලද මුදල {0 than ට වඩා වැඩි විය නොහැක,
-Row {0}: Loan Security {1} added multiple times,පේළිය {0}: ණය ආරක්ෂාව {1 multiple කිහිප වතාවක් එකතු කරන ලදි,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,පේළිය # {0}: ළමා අයිතමය නිෂ්පාදන මිටියක් නොවිය යුතුය. කරුණාකර අයිතමය {1 ඉවත් කර සුරකින්න,
 Credit limit reached for customer {0},පාරිභෝගික සීමාව සඳහා ණය සීමාව ළඟා විය {0},
 Could not auto create Customer due to the following missing mandatory field(s):,පහත දැක්වෙන අනිවාර්ය ක්ෂේත්‍ර (ය) හේතුවෙන් පාරිභෝගිකයා ස්වයංක්‍රීයව නිර්මාණය කිරීමට නොහැකි විය:,
diff --git a/erpnext/translations/sk.csv b/erpnext/translations/sk.csv
index b8ddbc5..74c4cb6 100644
--- a/erpnext/translations/sk.csv
+++ b/erpnext/translations/sk.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Uplatniteľné, ak je spoločnosť SpA, SApA alebo SRL",
 Applicable if the company is a limited liability company,"Uplatniteľné, ak je spoločnosť spoločnosť s ručením obmedzeným",
 Applicable if the company is an Individual or a Proprietorship,"Uplatniteľné, ak je spoločnosť fyzická osoba alebo vlastníčka",
-Applicant,žiadateľ,
-Applicant Type,Typ žiadateľa,
 Application of Funds (Assets),Aplikace fondů (aktiv),
 Application period cannot be across two allocation records,Obdobie žiadosti nemôže prebiehať medzi dvoma alokačnými záznamami,
 Application period cannot be outside leave allocation period,Obdobie podávania žiadostí nemôže byť alokačné obdobie vonku voľno,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Zoznam dostupných akcionárov s číslami fotiek,
 Loading Payment System,Načítanie platobného systému,
 Loan,pôžička,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Výška úveru nesmie prekročiť maximálnu úveru Suma {0},
-Loan Application,Aplikácia úveru,
-Loan Management,Správa úverov,
-Loan Repayment,splácania úveru,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Dátum začatia pôžičky a obdobie pôžičky sú povinné na uloženie diskontovania faktúry,
 Loans (Liabilities),Úvěry (závazky),
 Loans and Advances (Assets),Úvěrů a půjček (aktiva),
@@ -1611,7 +1605,6 @@
 Monday,Pondělí,
 Monthly,Měsíčně,
 Monthly Distribution,Měsíční Distribution,
-Monthly Repayment Amount cannot be greater than Loan Amount,Mesačné splátky suma nemôže byť vyššia ako suma úveru,
 More,Viac,
 More Information,Viac informácií,
 More than one selection for {0} not allowed,Nie je povolený viac ako jeden výber pre {0},
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Plaťte {0} {1},
 Payable,splatný,
 Payable Account,Splatnost účtu,
-Payable Amount,Splatná suma,
 Payment,Splátka,
 Payment Cancelled. Please check your GoCardless Account for more details,Platba bola zrušená. Skontrolujte svoj účet GoCardless pre viac informácií,
 Payment Confirmation,Potvrdenie platby,
-Payment Date,Dátum platby,
 Payment Days,Platební dny,
 Payment Document,platba Document,
 Payment Due Date,Splatné dňa,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,"Prosím, zadejte první doklad o zakoupení",
 Please enter Receipt Document,"Prosím, zadajte prevzatia dokumentu",
 Please enter Reference date,"Prosím, zadejte Referenční den",
-Please enter Repayment Periods,"Prosím, zadajte dobu splácania",
 Please enter Reqd by Date,Zadajte Reqd podľa dátumu,
 Please enter Woocommerce Server URL,Zadajte URL servera Woocommerce,
 Please enter Write Off Account,"Prosím, zadejte odepsat účet",
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,"Prosím, zadejte nákladové středisko mateřský",
 Please enter quantity for Item {0},Zadajte prosím množstvo pre Položku {0},
 Please enter relieving date.,Zadejte zmírnění datum.,
-Please enter repayment Amount,"Prosím, zadajte splácanie Čiastka",
 Please enter valid Financial Year Start and End Dates,Zadajte platné dátumy začiatku a konca finančného roka,
 Please enter valid email address,Zadajte platnú e-mailovú adresu,
 Please enter {0} first,"Prosím, najprv zadajte {0}",
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Pravidla pro stanovení sazeb jsou dále filtrována na základě množství.,
 Primary Address Details,Údaje o primárnej adrese,
 Primary Contact Details,Priame kontaktné údaje,
-Principal Amount,istina,
 Print Format,Formát tlače,
 Print IRS 1099 Forms,Tlačte formuláre IRS 1099,
 Print Report Card,Vytlačiť kartu správ,
@@ -2550,7 +2538,6 @@
 Sample Collection,Zbierka vzoriek,
 Sample quantity {0} cannot be more than received quantity {1},Množstvo vzorky {0} nemôže byť väčšie ako prijaté množstvo {1},
 Sanctioned,Sankcionované,
-Sanctioned Amount,Sankcionovaná čiastka,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sankcionovaná Čiastka nemôže byť väčšia ako reklamácia Suma v riadku {0}.,
 Sand,piesok,
 Saturday,Sobota,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} už má rodičovský postup {1}.,
 API,API,
 Annual,Roční,
-Approved,Schválený,
 Change,Zmena,
 Contact Email,Kontaktný e-mail,
 Export Type,Typ exportu,
@@ -3571,7 +3557,6 @@
 Account Value,Hodnota účtu,
 Account is mandatory to get payment entries,Účet je povinný na získanie platobných záznamov,
 Account is not set for the dashboard chart {0},Účet nie je nastavený pre tabuľku dashboardov {0},
-Account {0} does not belong to company {1},Účet {0} nepatří do společnosti {1},
 Account {0} does not exists in the dashboard chart {1},Účet {0} v grafe dashboardu neexistuje {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Účet: <b>{0}</b> je kapitál Prebieha spracovanie a nedá sa aktualizovať zápisom do denníka,
 Account: {0} is not permitted under Payment Entry,Účet: {0} nie je povolený v rámci zadania platby,
@@ -3582,7 +3567,6 @@
 Activity,Aktivita,
 Add / Manage Email Accounts.,Pridanie / Správa e-mailových účtov.,
 Add Child,Pridať potomka,
-Add Loan Security,Pridajte zabezpečenie úveru,
 Add Multiple,Pridať viacero,
 Add Participants,Pridať účastníkov,
 Add to Featured Item,Pridať k odporúčanej položke,
@@ -3593,15 +3577,12 @@
 Address Line 1,Riadok adresy 1,
 Addresses,Adresy,
 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.,
-Against Loan,Proti pôžičke,
-Against Loan:,Proti pôžičke:,
 All,ALL,
 All bank transactions have been created,Všetky bankové transakcie boli vytvorené,
 All the depreciations has been booked,Všetky odpisy boli zaúčtované,
 Allocation Expired!,Platnosť pridelenia vypršala!,
 Allow Resetting Service Level Agreement from Support Settings.,Povoľte obnovenie dohody o úrovni služieb z nastavení podpory.,
 Amount of {0} is required for Loan closure,Na uzatvorenie úveru je potrebná suma {0},
-Amount paid cannot be zero,Vyplatená suma nemôže byť nula,
 Applied Coupon Code,Kód použitého kupónu,
 Apply Coupon Code,Použite kód kupónu,
 Appointment Booking,Rezervácia schôdzky,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,"Nie je možné vypočítať čas príchodu, pretože chýba adresa vodiča.",
 Cannot Optimize Route as Driver Address is Missing.,"Nie je možné optimalizovať trasu, pretože chýba adresa vodiča.",
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Nie je možné dokončiť úlohu {0}, pretože jej závislá úloha {1} nie je dokončená / zrušená.",
-Cannot create loan until application is approved,"Úver nie je možné vytvoriť, kým nebude žiadosť schválená",
 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}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Nie je možné preplatiť položku {0} v riadku {1} viac ako {2}. Ak chcete povoliť nadmernú fakturáciu, nastavte príspevok v nastaveniach účtov",
 "Capacity Planning Error, planned start time can not be same as end time","Chyba plánovania kapacity, plánovaný čas začiatku nemôže byť rovnaký ako čas ukončenia",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Menej ako suma,
 Liabilities,záväzky,
 Loading...,Nahrávám...,
-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,
 Loan Applications from customers and employees.,Žiadosti o pôžičky od zákazníkov a zamestnancov.,
-Loan Disbursement,Vyplatenie úveru,
 Loan Processes,Úverové procesy,
-Loan Security,Zabezpečenie pôžičky,
-Loan Security Pledge,Pôžička za zabezpečenie úveru,
-Loan Security Pledge Created : {0},Vytvorené záložné právo na pôžičku: {0},
-Loan Security Price,Cena zabezpečenia úveru,
-Loan Security Price overlapping with {0},Cena za pôžičku sa prekrýva s {0},
-Loan Security Unpledge,Zabezpečenie pôžičky nie je viazané,
-Loan Security Value,Hodnota zabezpečenia úveru,
 Loan Type for interest and penalty rates,Typ úveru pre úroky a penále,
-Loan amount cannot be greater than {0},Suma úveru nemôže byť vyššia ako {0},
-Loan is mandatory,Pôžička je povinná,
 Loans,pôžičky,
 Loans provided to customers and employees.,Pôžičky poskytnuté zákazníkom a zamestnancom.,
 Location,Místo,
@@ -3894,7 +3863,6 @@
 Pay,Platiť,
 Payment Document Type,Druh platobného dokladu,
 Payment Name,Názov platby,
-Penalty Amount,Suma pokuty,
 Pending,Čakajúce,
 Performance,výkon,
 Period based On,Obdobie založené na,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,"Ak chcete upraviť túto položku, prihláste sa ako používateľ služby Marketplace.",
 Please login as a Marketplace User to report this item.,"Ak chcete nahlásiť túto položku, prihláste sa ako používateľ Marketplace.",
 Please select <b>Template Type</b> to download template,Vyberte <b>šablónu</b> pre stiahnutie šablóny,
-Please select Applicant Type first,Najskôr vyberte typ žiadateľa,
 Please select Customer first,Najskôr vyberte zákazníka,
 Please select Item Code first,Najskôr vyberte kód položky,
-Please select Loan Type for company {0},Vyberte typ úveru pre spoločnosť {0},
 Please select a Delivery Note,Vyberte dodací list,
 Please select a Sales Person for item: {0},Vyberte obchodnú osobu pre položku: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Vyberte iný spôsob platby. Stripe nepodporuje transakcie s menou &quot;{0}&quot;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Nastavte predvolený bankový účet spoločnosti {0},
 Please specify,Prosím upresnite,
 Please specify a {0},Zadajte {0},lead
-Pledge Status,Stav záložného práva,
-Pledge Time,Pledge Time,
 Printing,Tlačenie,
 Priority,Priorita,
 Priority has been changed to {0}.,Priorita sa zmenila na {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Spracovanie súborov XML,
 Profitability,Ziskovosť,
 Project,Projekt,
-Proposed Pledges are mandatory for secured Loans,Navrhované záložné práva sú povinné pre zabezpečené pôžičky,
 Provide the academic year and set the starting and ending date.,Uveďte akademický rok a stanovte počiatočný a konečný dátum.,
 Public token is missing for this bank,V tejto banke chýba verejný token,
 Publish,publikovať,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Potvrdenie o kúpe nemá žiadnu položku, pre ktorú je povolená vzorka ponechania.",
 Purchase Return,Nákup Return,
 Qty of Finished Goods Item,Množstvo dokončeného tovaru,
-Qty or Amount is mandatroy for loan security,Množstvo alebo suma je mandatroy pre zabezpečenie úveru,
 Quality Inspection required for Item {0} to submit,"Vyžaduje sa kontrola kvality, aby sa položka {0} mohla predložiť",
 Quantity to Manufacture,Množstvo na výrobu,
 Quantity to Manufacture can not be zero for the operation {0},Množstvo na výrobu nemôže byť pre operáciu nulové {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Dátum vydania musí byť väčší alebo rovný dátumu pripojenia,
 Rename,Premenovať,
 Rename Not Allowed,Premenovať nie je povolené,
-Repayment Method is mandatory for term loans,Spôsob splácania je povinný pre termínované pôžičky,
-Repayment Start Date is mandatory for term loans,Dátum začiatku splácania je povinný pre termínované pôžičky,
 Report Item,Položka správy,
 Report this Item,Nahláste túto položku,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Vyhradené množstvo pre subdodávky: Množstvo surovín na výrobu subdodávateľských položiek.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Riadok ({0}): {1} je už zľavnený v {2},
 Rows Added in {0},Riadky pridané v {0},
 Rows Removed in {0},Riadky odstránené o {0},
-Sanctioned Amount limit crossed for {0} {1},Prekročený limit sankcie pre {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},Čiastka schválenej pôžičky už existuje pre {0} proti spoločnosti {1},
 Save,Uložiť,
 Save Item,Uložiť položku,
 Saved Items,Uložené položky,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Uživatel {0} je zakázána,
 Users and Permissions,Uživatelé a oprávnění,
 Vacancies cannot be lower than the current openings,Počet voľných pracovných miest nemôže byť nižší ako súčasné,
-Valid From Time must be lesser than Valid Upto Time.,Platný od času musí byť kratší ako platný až do času.,
 Valuation Rate required for Item {0} at row {1},Sadzba ocenenia požadovaná pre položku {0} v riadku {1},
 Values Out Of Sync,Hodnoty nie sú synchronizované,
 Vehicle Type is required if Mode of Transport is Road,"Ak je spôsob dopravy cestný, vyžaduje sa typ vozidla",
@@ -4211,7 +4168,6 @@
 Add to Cart,Pridať do košíka,
 Days Since Last Order,Dni od poslednej objednávky,
 In Stock,Na skladě,
-Loan Amount is mandatory,Suma úveru je povinná,
 Mode Of Payment,Způsob platby,
 No students Found,Nenašli sa žiadni študenti,
 Not in Stock,Nie je na sklade,
@@ -4240,7 +4196,6 @@
 Group by,Seskupit podle,
 In stock,Skladom,
 Item name,Názov položky,
-Loan amount is mandatory,Suma úveru je povinná,
 Minimum Qty,Minimálny počet,
 More details,Další podrobnosti,
 Nature of Supplies,Povaha spotrebného materiálu,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Celkom dokončené množstvo,
 Qty to Manufacture,Množství K výrobě,
 Repay From Salary can be selected only for term loans,Výplatu zo mzdy je možné zvoliť iba pri termínovaných pôžičkách,
-No valid Loan Security Price found for {0},Pre {0} sa nenašla platná cena zabezpečenia pôžičky.,
-Loan Account and Payment Account cannot be same,Pôžičkový účet a platobný účet nemôžu byť rovnaké,
-Loan Security Pledge can only be created for secured loans,Sľub zabezpečenia úveru je možné vytvoriť iba pre zabezpečené pôžičky,
 Social Media Campaigns,Kampane na sociálnych sieťach,
 From Date can not be greater than To Date,Od dátumu nemôže byť väčšie ako Od dátumu,
 Please set a Customer linked to the Patient,Nastavte zákazníka prepojeného s pacientom,
@@ -6437,7 +6389,6 @@
 HR User,HR User,
 Appointment Letter,Menovací list,
 Job Applicant,Job Žadatel,
-Applicant Name,Meno žiadateľa,
 Appointment Date,Dátum stretnutia,
 Appointment Letter Template,Šablóna menovacieho listu,
 Body,telo,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Priebeh synchronizácie,
 Hub Seller Name,Názov predajcu Hubu,
 Custom Data,Vlastné údaje,
-Member,člen,
-Partially Disbursed,čiastočne Vyplatené,
-Loan Closure Requested,Vyžaduje sa uzavretie úveru,
 Repay From Salary,Splatiť z platu,
-Loan Details,pôžička Podrobnosti,
-Loan Type,pôžička Type,
-Loan Amount,Výška pôžičky,
-Is Secured Loan,Je zabezpečená pôžička,
-Rate of Interest (%) / Year,Úroková sadzba (%) / rok,
-Disbursement Date,vyplatenie Date,
-Disbursed Amount,Vyplatená suma,
-Is Term Loan,Je termín úver,
-Repayment Method,splácanie Method,
-Repay Fixed Amount per Period,Splácať paušálna čiastka za obdobie,
-Repay Over Number of Periods,Splatiť Over počet období,
-Repayment Period in Months,Doba splácania v mesiacoch,
-Monthly Repayment Amount,Mesačné splátky čiastka,
-Repayment Start Date,Dátum začiatku splácania,
-Loan Security Details,Podrobnosti o zabezpečení pôžičky,
-Maximum Loan Value,Maximálna hodnota úveru,
-Account Info,Informácie o účte,
-Loan Account,Úverový účet,
-Interest Income Account,Účet Úrokové výnosy,
-Penalty Income Account,Trestný účet,
-Repayment Schedule,splátkový kalendár,
-Total Payable Amount,Celková suma Splatné,
-Total Principal Paid,Celková zaplatená istina,
-Total Interest Payable,Celkové úroky splatné,
-Total Amount Paid,Celková čiastka bola zaplatená,
-Loan Manager,Úverový manažér,
-Loan Info,pôžička Informácie,
-Rate of Interest,Úroková sadzba,
-Proposed Pledges,Navrhované sľuby,
-Maximum Loan Amount,Maximálna výška úveru,
-Repayment Info,splácanie Info,
-Total Payable Interest,Celková splatný úrok,
-Against Loan ,Proti pôžičke,
-Loan Interest Accrual,Prírastok úrokov z úveru,
-Amounts,množstvo,
-Pending Principal Amount,Čakajúca hlavná suma,
-Payable Principal Amount,Splatná istina,
-Paid Principal Amount,Vyplatená istina,
-Paid Interest Amount,Výška zaplateného úroku,
-Process Loan Interest Accrual,Časové rozlíšenie úrokov z úveru na spracovanie,
-Repayment Schedule Name,Názov splátkového kalendára,
 Regular Payment,Pravidelná platba,
 Loan Closure,Uzavretie úveru,
-Payment Details,Platobné údaje,
-Interest Payable,Splatný úrok,
-Amount Paid,Zaplacené částky,
-Principal Amount Paid,Vyplatená istina,
-Repayment Details,Podrobnosti o splácaní,
-Loan Repayment Detail,Podrobnosti o splácaní pôžičky,
-Loan Security Name,Názov zabezpečenia úveru,
-Unit Of Measure,Merná jednotka,
-Loan Security Code,Bezpečnostný kód úveru,
-Loan Security Type,Druh zabezpečenia pôžičky,
-Haircut %,Zrážka%,
-Loan  Details,Podrobnosti o pôžičke,
-Unpledged,Unpledged,
-Pledged,zastavené,
-Partially Pledged,Čiastočne prisľúbené,
-Securities,cenné papiere,
-Total Security Value,Celková hodnota zabezpečenia,
-Loan Security Shortfall,Nedostatok úverovej bezpečnosti,
-Loan ,pôžička,
-Shortfall Time,Čas výpadku,
-America/New_York,America / New_York,
-Shortfall Amount,Suma schodku,
-Security Value ,Hodnota zabezpečenia,
-Process Loan Security Shortfall,Nedostatok zabezpečenia procesných úverov,
-Loan To Value Ratio,Pomer pôžičky k hodnote,
-Unpledge Time,Čas uvoľnenia,
-Loan Name,pôžička Name,
 Rate of Interest (%) Yearly,Úroková sadzba (%) Ročné,
-Penalty Interest Rate (%) Per Day,Trestná úroková sadzba (%) za deň,
-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,
-Grace Period in Days,Milosť v dňoch,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,"Počet dní od dátumu splatnosti, do ktorých vám nebude účtovaná pokuta v prípade oneskorenia so splácaním úveru",
-Pledge,zástava,
-Post Haircut Amount,Suma po zrážke,
-Process Type,Typ procesu,
-Update Time,Aktualizovať čas,
-Proposed Pledge,Navrhovaný prísľub,
-Total Payment,celkové platby,
-Balance Loan Amount,Bilancia Výška úveru,
-Is Accrued,Je nahromadené,
 Salary Slip Loan,Úverový splátkový úver,
 Loan Repayment Entry,Zadanie splátky úveru,
-Sanctioned Loan Amount,Suma schváleného úveru,
-Sanctioned Amount Limit,Sankčný limit sumy,
-Unpledge,Unpledge,
-Haircut,strih,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Generování plán,
 Schedules,Plány,
@@ -7885,7 +7749,6 @@
 Update Series,Řada Aktualizace,
 Change the starting / current sequence number of an existing series.,Změnit výchozí / aktuální pořadové číslo existujícího série.,
 Prefix,Prefix,
-Current Value,Current Value,
 This is the number of the last created transaction with this prefix,To je číslo poslední vytvořené transakci s tímto prefixem,
 Update Series Number,Aktualizace Series Number,
 Quotation Lost Reason,Dôvod neúspešnej ponuky,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise Doporučené Změna pořadí Level,
 Lead Details,Podrobnosti Obchodnej iniciatívy,
 Lead Owner Efficiency,Efektívnosť vlastníka iniciatívy,
-Loan Repayment and Closure,Splácanie a ukončenie pôžičky,
-Loan Security Status,Stav zabezpečenia úveru,
 Lost Opportunity,Stratená príležitosť,
 Maintenance Schedules,Plány údržby,
 Material Requests for which Supplier Quotations are not created,Materiál Žádosti o které Dodavatel citace nejsou vytvořeny,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Zacielené počty: {0},
 Payment Account is mandatory,Platobný účet je povinný,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Ak je to začiarknuté, pred výpočtom dane z príjmu sa bez zdanenia a odpočítania dane odpočíta celá suma od zdaniteľného príjmu.",
-Disbursement Details,Podrobnosti o platbe,
 Material Request Warehouse,Sklad žiadosti o materiál,
 Select warehouse for material requests,Vyberte sklad pre požiadavky na materiál,
 Transfer Materials For Warehouse {0},Prenos materiálov do skladu {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Vrátiť nevyzdvihnutú sumu z platu,
 Deduction from salary,Odpočet z platu,
 Expired Leaves,Vypršala platnosť,
-Reference No,Referenčné č,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,"Percento zrážky je percentuálny rozdiel medzi trhovou hodnotou Zabezpečenia pôžičky a hodnotou pripísanou tomuto Zabezpečeniu pôžičky, ak sa použije ako zábezpeka pre tento úver.",
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,"Pomer pôžičky k hodnote vyjadruje pomer výšky úveru k hodnote založeného cenného papiera. Nedostatok zabezpečenia pôžičky sa spustí, ak poklesne pod stanovenú hodnotu pre akýkoľvek úver",
 If this is not checked the loan by default will be considered as a Demand Loan,"Pokiaľ to nie je zaškrtnuté, pôžička sa štandardne bude považovať za pôžičku na požiadanie",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Tento účet sa používa na rezerváciu splátok pôžičky od dlžníka a tiež na vyplácanie pôžičiek dlžníkovi,
 This account is capital account which is used to allocate capital for loan disbursal account ,"Tento účet je kapitálovým účtom, ktorý sa používa na pridelenie kapitálu pre účet vyplácania pôžičiek",
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Operácia {0} nepatrí do pracovného príkazu {1},
 Print UOM after Quantity,Tlač MJ po množstve,
 Set default {0} account for perpetual inventory for non stock items,"Nastaviť predvolený účet {0} pre večný inventár pre položky, ktoré nie sú na sklade",
-Loan Security {0} added multiple times,Zabezpečenie pôžičky {0} bolo pridané viackrát,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Úverové cenné papiere s rôznym pomerom LTV nemožno založiť proti jednej pôžičke,
-Qty or Amount is mandatory for loan security!,Množstvo alebo suma je povinná pre zabezpečenie pôžičky!,
-Only submittted unpledge requests can be approved,Schválené môžu byť iba predložené žiadosti o odpojenie,
-Interest Amount or Principal Amount is mandatory,Suma úroku alebo Suma istiny je povinná,
-Disbursed Amount cannot be greater than {0},Vyplatená suma nemôže byť vyššia ako {0},
-Row {0}: Loan Security {1} added multiple times,Riadok {0}: Zabezpečenie pôžičky {1} pridané viackrát,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Riadok č. {0}: Podradená položka by nemala byť balíkom produktov. Odstráňte položku {1} a uložte,
 Credit limit reached for customer {0},Dosiahol sa úverový limit pre zákazníka {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Nepodarilo sa automaticky vytvoriť zákazníka z dôvodu nasledujúcich chýbajúcich povinných polí:,
diff --git a/erpnext/translations/sl.csv b/erpnext/translations/sl.csv
index 741bd83..95f8b8a 100644
--- a/erpnext/translations/sl.csv
+++ b/erpnext/translations/sl.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Uporablja se, če je podjetje SpA, SApA ali SRL",
 Applicable if the company is a limited liability company,"Uporablja se, če je družba z omejeno odgovornostjo",
 Applicable if the company is an Individual or a Proprietorship,"Uporablja se, če je podjetje posameznik ali lastnik",
-Applicant,Vlagatelj,
-Applicant Type,Vrsta vlagatelja,
 Application of Funds (Assets),Uporaba sredstev (sredstva),
 Application period cannot be across two allocation records,Obdobje uporabe ne more biti v dveh evidencah dodelitve,
 Application period cannot be outside leave allocation period,Prijavni rok ne more biti obdobje dodelitve izven dopusta,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Seznam razpoložljivih delničarjev s številkami folije,
 Loading Payment System,Nalaganje plačilnega sistema,
 Loan,Posojilo,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Kredita vrednosti ne sme preseči najvišji možen kredit znesku {0},
-Loan Application,Loan Application,
-Loan Management,Upravljanje posojil,
-Loan Repayment,vračila posojila,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Datum začetka posojila in obdobje posojila sta obvezna za varčevanje s popustom na računu,
 Loans (Liabilities),Posojili (obveznosti),
 Loans and Advances (Assets),Posojila in predujmi (sredstva),
@@ -1611,7 +1605,6 @@
 Monday,Ponedeljek,
 Monthly,Mesečni,
 Monthly Distribution,Mesečni Distribution,
-Monthly Repayment Amount cannot be greater than Loan Amount,Mesečni Povračilo Znesek ne sme biti večja od zneska kredita,
 More,Več,
 More Information,Več informacij,
 More than one selection for {0} not allowed,Več kot en izbor za {0} ni dovoljen,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Plačajte {0} {1},
 Payable,Plačljivo,
 Payable Account,Plačljivo račun,
-Payable Amount,Plačljivi znesek,
 Payment,Plačilo,
 Payment Cancelled. Please check your GoCardless Account for more details,Plačilo preklicano. Preverite svoj GoCardless račun za več podrobnosti,
 Payment Confirmation,Potrdilo plačila,
-Payment Date,Dan plačila,
 Payment Days,Plačilni dnevi,
 Payment Document,plačilo dokumentov,
 Payment Due Date,Datum zapadlosti,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,"Prosimo, da najprej vnesete Potrdilo o nakupu",
 Please enter Receipt Document,Vnesite Prejem dokumenta,
 Please enter Reference date,Vnesite Referenčni datum,
-Please enter Repayment Periods,Vnesite roki odplačevanja,
 Please enter Reqd by Date,Vnesite Reqd po datumu,
 Please enter Woocommerce Server URL,Vnesite URL strežnika Woocommerce,
 Please enter Write Off Account,Vnesite račun za odpis,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,Vnesite stroškovno mesto matično,
 Please enter quantity for Item {0},Vnesite količino za postavko {0},
 Please enter relieving date.,Vnesite lajšanje datum.,
-Please enter repayment Amount,Vnesite odplačevanja Znesek,
 Please enter valid Financial Year Start and End Dates,"Prosimo, vnesite veljaven proračunsko leto, datum začetka in konca",
 Please enter valid email address,Vnesite veljaven e-poštni naslov,
 Please enter {0} first,Vnesite {0} najprej,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Cenovne Pravila so dodatno filtriran temelji na količini.,
 Primary Address Details,Osnovni podatki o naslovu,
 Primary Contact Details,Primarni kontaktni podatki,
-Principal Amount,Glavni znesek,
 Print Format,Print Format,
 Print IRS 1099 Forms,Natisni obrazci IRS 1099,
 Print Report Card,Kartica za tiskanje poročila,
@@ -2550,7 +2538,6 @@
 Sample Collection,Zbiranje vzorcev,
 Sample quantity {0} cannot be more than received quantity {1},Količina vzorca {0} ne sme biti večja od prejete količine {1},
 Sanctioned,Sankcionirano,
-Sanctioned Amount,Sankcionirano Znesek,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sankcionirano Znesek ne sme biti večja od škodnega Znesek v vrstici {0}.,
 Sand,Pesek,
 Saturday,Sobota,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} že ima nadrejeni postopek {1}.,
 API,API,
 Annual,Letno,
-Approved,Odobreno,
 Change,Spremeni,
 Contact Email,Kontakt E-pošta,
 Export Type,Izvozna vrsta,
@@ -3571,7 +3557,6 @@
 Account Value,Vrednost računa,
 Account is mandatory to get payment entries,Za vnos plačil je obvezen račun,
 Account is not set for the dashboard chart {0},Za grafikon nadzorne plošče račun ni nastavljen {0},
-Account {0} does not belong to company {1},Račun {0} ne pripada družbi {1},
 Account {0} does not exists in the dashboard chart {1},Račun {0} ne obstaja v grafikonu nadzorne plošče {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Račun: <b>{0}</b> je kapital Delo v teku in ga vnos v časopis ne more posodobiti,
 Account: {0} is not permitted under Payment Entry,Račun: {0} ni dovoljen pri vnosu plačila,
@@ -3582,7 +3567,6 @@
 Activity,Dejavnost,
 Add / Manage Email Accounts.,Dodaj / Upravljanje e-poštnih računov.,
 Add Child,Dodaj Child,
-Add Loan Security,Dodaj varnost posojila,
 Add Multiple,Dodaj več,
 Add Participants,Dodaj udeležence,
 Add to Featured Item,Dodaj med predstavljene izdelke,
@@ -3593,15 +3577,12 @@
 Address Line 1,Naslov Line 1,
 Addresses,Naslovi,
 Admission End Date should be greater than Admission Start Date.,Končni datum sprejema bi moral biti večji od začetnega datuma sprejema.,
-Against Loan,Proti posojilom,
-Against Loan:,Proti posojilu:,
 All,Vse,
 All bank transactions have been created,Vse bančne transakcije so bile ustvarjene,
 All the depreciations has been booked,Vse amortizacije so bile knjižene,
 Allocation Expired!,Dodelitev je potekla!,
 Allow Resetting Service Level Agreement from Support Settings.,Dovoli ponastavitev sporazuma o ravni storitve iz nastavitev podpore.,
 Amount of {0} is required for Loan closure,Za zaprtje posojila je potreben znesek {0},
-Amount paid cannot be zero,Plačani znesek ne sme biti nič,
 Applied Coupon Code,Uporabljena koda kupona,
 Apply Coupon Code,Uporabi kodo kupona,
 Appointment Booking,Rezervacija termina,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,"Časa prihoda ni mogoče izračunati, ker manjka naslov gonilnika.",
 Cannot Optimize Route as Driver Address is Missing.,"Ne morem optimizirati poti, ker manjka naslov gonilnika.",
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Naloge ni mogoče dokončati {0}, ker njegova odvisna naloga {1} ni dokončana / preklicana.",
-Cannot create loan until application is approved,"Posojila ni mogoče ustvariti, dokler aplikacija ni odobrena",
 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}.",
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Za postavko {0} v vrstici {1} več kot {2} ni mogoče preplačati. Če želite dovoliti preplačilo, nastavite dovoljenje v nastavitvah računov",
 "Capacity Planning Error, planned start time can not be same as end time","Napaka pri načrtovanju zmogljivosti, načrtovani začetni čas ne more biti enak končnemu času",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Manj kot znesek,
 Liabilities,Obveznosti,
 Loading...,Nalaganje ...,
-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,
 Loan Applications from customers and employees.,Prošnje za posojilo strank in zaposlenih.,
-Loan Disbursement,Izplačilo posojila,
 Loan Processes,Posojilni procesi,
-Loan Security,Varnost posojila,
-Loan Security Pledge,Zaloga za posojilo,
-Loan Security Pledge Created : {0},Izdelano jamstvo za posojilo: {0},
-Loan Security Price,Cena zavarovanja posojila,
-Loan Security Price overlapping with {0},"Cena zavarovanja posojila, ki se prekriva z {0}",
-Loan Security Unpledge,Varnost posojila ni dovoljena,
-Loan Security Value,Vrednost zavarovanja posojila,
 Loan Type for interest and penalty rates,Vrsta posojila za obresti in kazenske stopnje,
-Loan amount cannot be greater than {0},Znesek posojila ne sme biti večji od {0},
-Loan is mandatory,Posojilo je obvezno,
 Loans,Posojila,
 Loans provided to customers and employees.,Krediti strankam in zaposlenim.,
 Location,Kraj,
@@ -3894,7 +3863,6 @@
 Pay,Plačajte,
 Payment Document Type,Vrsta plačilnega dokumenta,
 Payment Name,Ime plačila,
-Penalty Amount,Kazenski znesek,
 Pending,V teku,
 Performance,Izvedba,
 Period based On,Obdobje na podlagi,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,"Prosimo, prijavite se kot uporabnik tržnice, če želite urediti ta element.",
 Please login as a Marketplace User to report this item.,"Prijavite se kot uporabnik tržnice, če želite prijaviti ta element.",
 Please select <b>Template Type</b> to download template,Izberite <b>vrsto predloge</b> za prenos predloge,
-Please select Applicant Type first,Najprej izberite vrsto prosilca,
 Please select Customer first,Najprej izberite stranko,
 Please select Item Code first,Najprej izberite kodo predmeta,
-Please select Loan Type for company {0},Izberite vrsto posojila za podjetje {0},
 Please select a Delivery Note,Izberite dobavnico,
 Please select a Sales Person for item: {0},Izberite prodajno osebo za izdelek: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',"Izberite drug način plačila. Stripe ne podpira transakcije v valuti, &quot;{0}&quot;",
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Nastavite privzeti bančni račun za podjetje {0},
 Please specify,"Prosimo, navedite",
 Please specify a {0},Navedite {0},lead
-Pledge Status,Stanje zastave,
-Pledge Time,Čas zastave,
 Printing,Tiskanje,
 Priority,Prednost,
 Priority has been changed to {0}.,Prednost je spremenjena na {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Obdelava datotek XML,
 Profitability,Donosnost,
 Project,Projekt,
-Proposed Pledges are mandatory for secured Loans,Predlagane zastave so obvezne za zavarovana posojila,
 Provide the academic year and set the starting and ending date.,Navedite študijsko leto in določite datum začetka in konca.,
 Public token is missing for this bank,Za to banko manjka javni žeton,
 Publish,Objavi,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Potrdilo o nakupu nima nobenega predmeta, za katerega bi bil omogočen Retain Sample.",
 Purchase Return,nakup Return,
 Qty of Finished Goods Item,Količina izdelka končnega blaga,
-Qty or Amount is mandatroy for loan security,Količina ali znesek je mandatroy za zavarovanje posojila,
 Quality Inspection required for Item {0} to submit,"Inšpekcijski pregled kakovosti, potreben za pošiljanje predmeta {0}",
 Quantity to Manufacture,Količina za izdelavo,
 Quantity to Manufacture can not be zero for the operation {0},Količina za izdelavo ne more biti nič pri operaciji {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Datum razrešitve mora biti večji ali enak datumu pridružitve,
 Rename,Preimenovanje,
 Rename Not Allowed,Preimenovanje ni dovoljeno,
-Repayment Method is mandatory for term loans,Način vračila je obvezen za posojila,
-Repayment Start Date is mandatory for term loans,Datum začetka poplačila je obvezen za posojila,
 Report Item,Postavka poročila,
 Report this Item,Prijavite to postavko,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Količina za naročila podizvajalcev: Količina surovin za izdelavo podizvajalcev.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Vrstica ({0}): {1} je že znižana v {2},
 Rows Added in {0},Vrstice dodane v {0},
 Rows Removed in {0},Vrstice so odstranjene v {0},
-Sanctioned Amount limit crossed for {0} {1},Omejena dovoljena količina presežena za {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},Doseženi znesek posojila že obstaja za {0} proti podjetju {1},
 Save,Shrani,
 Save Item,Shrani element,
 Saved Items,Shranjeni predmeti,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Uporabnik {0} je onemogočena,
 Users and Permissions,Uporabniki in dovoljenja,
 Vacancies cannot be lower than the current openings,Prosta delovna mesta ne smejo biti nižja od trenutnih,
-Valid From Time must be lesser than Valid Upto Time.,"Velja od časa, mora biti krajši od veljavnega Upto časa.",
 Valuation Rate required for Item {0} at row {1},"Stopnja vrednotenja, potrebna za postavko {0} v vrstici {1}",
 Values Out Of Sync,Vrednosti niso sinhronizirane,
 Vehicle Type is required if Mode of Transport is Road,"Vrsta vozila je potrebna, če je način prevoza cestni",
@@ -4211,7 +4168,6 @@
 Add to Cart,Dodaj v voziček,
 Days Since Last Order,Dnevi od zadnjega naročila,
 In Stock,Na zalogi,
-Loan Amount is mandatory,Znesek posojila je obvezen,
 Mode Of Payment,Način plačila,
 No students Found,Študentov ni mogoče najti,
 Not in Stock,Ni na zalogi,
@@ -4240,7 +4196,6 @@
 Group by,Skupina avtorja,
 In stock,Na zalogi,
 Item name,Ime predmeta,
-Loan amount is mandatory,Znesek posojila je obvezen,
 Minimum Qty,Najmanjša količina,
 More details,Več podrobnosti,
 Nature of Supplies,Narava potrebščin,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Skupaj opravljeno Količina,
 Qty to Manufacture,Količina za izdelavo,
 Repay From Salary can be selected only for term loans,Povračilo s plače lahko izberete samo za ročna posojila,
-No valid Loan Security Price found for {0},Za {0} ni bila najdena veljavna cena zavarovanja posojila,
-Loan Account and Payment Account cannot be same,Posojilni račun in plačilni račun ne moreta biti enaka,
-Loan Security Pledge can only be created for secured loans,Obljubo zavarovanja posojila je mogoče ustvariti samo za zavarovana posojila,
 Social Media Campaigns,Kampanje za družabne medije,
 From Date can not be greater than To Date,Od datuma ne sme biti daljši od datuma,
 Please set a Customer linked to the Patient,"Nastavite stranko, ki je povezana s pacientom",
@@ -6437,7 +6389,6 @@
 HR User,Uporabnik človeških virov,
 Appointment Letter,Pismo o imenovanju,
 Job Applicant,Job Predlagatelj,
-Applicant Name,Predlagatelj Ime,
 Appointment Date,Datum imenovanja,
 Appointment Letter Template,Predloga pisma o imenovanju,
 Body,Telo,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Sinhronizacija v toku,
 Hub Seller Name,Ime prodajalca vozlišča,
 Custom Data,Podatki po meri,
-Member,Član,
-Partially Disbursed,delno črpanju,
-Loan Closure Requested,Zahtevano je zaprtje posojila,
 Repay From Salary,Poplačilo iz Plača,
-Loan Details,posojilo Podrobnosti,
-Loan Type,posojilo Vrsta,
-Loan Amount,Znesek posojila,
-Is Secured Loan,Je zavarovana posojila,
-Rate of Interest (%) / Year,Obrestna mera (%) / leto,
-Disbursement Date,izplačilo Datum,
-Disbursed Amount,Izplačana znesek,
-Is Term Loan,Je Term Posojilo,
-Repayment Method,Povračilo Metoda,
-Repay Fixed Amount per Period,Povrne fiksni znesek na obdobje,
-Repay Over Number of Periods,Odplačilo Over število obdobij,
-Repayment Period in Months,Vračilo Čas v mesecih,
-Monthly Repayment Amount,Mesečni Povračilo Znesek,
-Repayment Start Date,Datum začetka odplačevanja,
-Loan Security Details,Podrobnosti o posojilu,
-Maximum Loan Value,Najvišja vrednost posojila,
-Account Info,Informacije o računu,
-Loan Account,Kreditni račun,
-Interest Income Account,Prihodki od obresti račun,
-Penalty Income Account,Račun dohodkov,
-Repayment Schedule,Povračilo Urnik,
-Total Payable Amount,Skupaj plačljivo Znesek,
-Total Principal Paid,Skupna plačana glavnica,
-Total Interest Payable,Skupaj Obresti plačljivo,
-Total Amount Paid,Skupni znesek plačan,
-Loan Manager,Vodja posojil,
-Loan Info,posojilo Info,
-Rate of Interest,Obrestna mera,
-Proposed Pledges,Predlagane obljube,
-Maximum Loan Amount,Največja Znesek posojila,
-Repayment Info,Povračilo Info,
-Total Payable Interest,Skupaj plačljivo Obresti,
-Against Loan ,Proti Posojilu,
-Loan Interest Accrual,Porazdelitev posojil,
-Amounts,Zneski,
-Pending Principal Amount,Nerešeni glavni znesek,
-Payable Principal Amount,Plačljiva glavnica,
-Paid Principal Amount,Plačani znesek glavnice,
-Paid Interest Amount,Znesek plačanih obresti,
-Process Loan Interest Accrual,Proračun za obresti za posojila,
-Repayment Schedule Name,Ime razporeda odplačevanja,
 Regular Payment,Redno plačilo,
 Loan Closure,Zaprtje posojila,
-Payment Details,Podatki o plačilu,
-Interest Payable,Obresti za plačilo,
-Amount Paid,Plačani znesek,
-Principal Amount Paid,Plačani glavni znesek,
-Repayment Details,Podrobnosti o odplačilu,
-Loan Repayment Detail,Podrobnosti o odplačilu posojila,
-Loan Security Name,Varnostno ime posojila,
-Unit Of Measure,Merska enota,
-Loan Security Code,Kodeks za posojilo,
-Loan Security Type,Vrsta zavarovanja posojila,
-Haircut %,Odbitki%,
-Loan  Details,Podrobnosti o posojilu,
-Unpledged,Neodključeno,
-Pledged,Založeno,
-Partially Pledged,Delno zastavljeno,
-Securities,Vrednostni papirji,
-Total Security Value,Skupna vrednost varnosti,
-Loan Security Shortfall,Pomanjkanje varnosti posojila,
-Loan ,Posojilo,
-Shortfall Time,Čas pomanjkanja,
-America/New_York,Amerika / New_York,
-Shortfall Amount,Znesek primanjkljaja,
-Security Value ,Vrednost varnosti,
-Process Loan Security Shortfall,Pomanjkanje varnosti posojila,
-Loan To Value Ratio,Razmerje med posojilom in vrednostjo,
-Unpledge Time,Čas odstranjevanja,
-Loan Name,posojilo Ime,
 Rate of Interest (%) Yearly,Obrestna mera (%) Letna,
-Penalty Interest Rate (%) Per Day,Kazenska obrestna mera (%) na dan,
-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,
-Grace Period in Days,Milostno obdobje v dnevih,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,"Število dni od datuma zapadlosti, do katerega kazen ne bo zaračunana v primeru zamude pri odplačilu posojila",
-Pledge,Obljuba,
-Post Haircut Amount,Količina odbitka po pošti,
-Process Type,Vrsta procesa,
-Update Time,Čas posodobitve,
-Proposed Pledge,Predlagana zastava,
-Total Payment,Skupaj plačila,
-Balance Loan Amount,Bilanca Znesek posojila,
-Is Accrued,Je zapadlo v plačilo,
 Salary Slip Loan,Posojilo za plačilo,
 Loan Repayment Entry,Vnos vračila posojila,
-Sanctioned Loan Amount,Doseženi znesek posojila,
-Sanctioned Amount Limit,Omejena omejitev zneska,
-Unpledge,Odveči,
-Haircut,Pričeska,
 MAT-MSH-.YYYY.-,MAT-MSH-YYYY.-,
 Generate Schedule,Ustvarjajo Urnik,
 Schedules,Urniki,
@@ -7885,7 +7749,6 @@
 Update Series,Posodobi zaporedje,
 Change the starting / current sequence number of an existing series.,Spremenite izhodiščno / trenutno zaporedno številko obstoječega zaporedja.,
 Prefix,Predpona,
-Current Value,Trenutna vrednost,
 This is the number of the last created transaction with this prefix,To je številka zadnjega ustvarjene transakcijo s tem predpono,
 Update Series Number,Posodobi številko zaporedja,
 Quotation Lost Reason,Kotacija Lost Razlog,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise Priporočena Preureditev Raven,
 Lead Details,Podrobnosti ponudbe,
 Lead Owner Efficiency,Svinec Lastnik Učinkovitost,
-Loan Repayment and Closure,Povračilo in zaprtje posojila,
-Loan Security Status,Stanje varnosti posojila,
 Lost Opportunity,Izgubljena priložnost,
 Maintenance Schedules,Vzdrževanje Urniki,
 Material Requests for which Supplier Quotations are not created,Material Prošnje za katere so Dobavitelj Citati ni ustvaril,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Število ciljev: {0},
 Payment Account is mandatory,Plačilni račun je obvezen,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Če je označeno, se pred izračunom dohodnine odšteje celotni znesek od obdavčljivega dohodka brez kakršne koli izjave ali predložitve dokazila.",
-Disbursement Details,Podrobnosti o izplačilu,
 Material Request Warehouse,Skladišče zahtev za material,
 Select warehouse for material requests,Izberite skladišče za zahteve po materialu,
 Transfer Materials For Warehouse {0},Prenos materiala za skladišče {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Vrnite neizterjani znesek iz plače,
 Deduction from salary,Odbitek od plače,
 Expired Leaves,Potekli listi,
-Reference No,Referenčna št,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,"Odstotek odbitka je odstotna razlika med tržno vrednostjo varščine za posojilo in vrednostjo, pripisano tej garanciji za posojilo, če se uporablja kot zavarovanje za to posojilo.",
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,"Razmerje med posojilom in vrednostjo izraža razmerje med zneskom posojila in vrednostjo zastavljene vrednostne papirje. Pomanjkanje varščine za posojilo se sproži, če ta pade pod določeno vrednost za katero koli posojilo",
 If this is not checked the loan by default will be considered as a Demand Loan,"Če to ni potrjeno, bo posojilo privzeto obravnavano kot posojilo na zahtevo",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Ta račun se uporablja za rezervacijo odplačil posojilojemalca in tudi za izplačilo posojil posojilojemalcu,
 This account is capital account which is used to allocate capital for loan disbursal account ,"Ta račun je račun kapitala, ki se uporablja za dodelitev kapitala za račun izplačila posojila",
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Operacija {0} ne spada v delovni nalog {1},
 Print UOM after Quantity,Natisni UOM po količini,
 Set default {0} account for perpetual inventory for non stock items,Nastavite privzeti račun {0} za večni inventar za neoskrbljene predmete,
-Loan Security {0} added multiple times,Varnost posojila {0} je bila dodana večkrat,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Vrednostnih papirjev z drugačnim razmerjem LTV ni mogoče zastaviti za eno posojilo,
-Qty or Amount is mandatory for loan security!,Količina ali znesek je obvezen za zavarovanje posojila!,
-Only submittted unpledge requests can be approved,Odobriti je mogoče samo predložene zahtevke za neuporabo,
-Interest Amount or Principal Amount is mandatory,Znesek obresti ali znesek glavnice je obvezen,
-Disbursed Amount cannot be greater than {0},Izplačani znesek ne sme biti večji od {0},
-Row {0}: Loan Security {1} added multiple times,Vrstica {0}: Varnost posojila {1} je bila dodana večkrat,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Vrstica št. {0}: podrejeni element ne sme biti paket izdelkov. Odstranite element {1} in shranite,
 Credit limit reached for customer {0},Dosežena kreditna omejitev za stranko {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Kupca ni bilo mogoče samodejno ustvariti zaradi naslednjih manjkajočih obveznih polj:,
diff --git a/erpnext/translations/sq.csv b/erpnext/translations/sq.csv
index 752ed39..2e939fc 100644
--- a/erpnext/translations/sq.csv
+++ b/erpnext/translations/sq.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Aplikohet nëse kompania është SpA, SApA ose SRL",
 Applicable if the company is a limited liability company,Aplikohet nëse kompania është një kompani me përgjegjësi të kufizuar,
 Applicable if the company is an Individual or a Proprietorship,Aplikohet nëse kompania është një Individ apo Pronë,
-Applicant,kërkues,
-Applicant Type,Lloji i aplikantit,
 Application of Funds (Assets),Aplikimi i mjeteve (aktiveve),
 Application period cannot be across two allocation records,Periudha e aplikimit nuk mund të jetë në të dy regjistrimet e shpërndarjes,
 Application period cannot be outside leave allocation period,Periudha e aplikimit nuk mund të jetë periudhë ndarja leje jashtë,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Lista e Aksionarëve në dispozicion me numra foli,
 Loading Payment System,Duke ngarkuar sistemin e pagesave,
 Loan,hua,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Sasia huaja nuk mund të kalojë sasi maksimale huazimin e {0},
-Loan Application,Aplikimi i huasë,
-Loan Management,Menaxhimi i Kredive,
-Loan Repayment,shlyerjen e kredisë,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Data e fillimit të huasë dhe periudha e huasë janë të detyrueshme për të kursyer zbritjen e faturës,
 Loans (Liabilities),Kredi (obligimeve),
 Loans and Advances (Assets),Kreditë dhe paradhëniet (aktiveve),
@@ -1611,7 +1605,6 @@
 Monday,E hënë,
 Monthly,Mujor,
 Monthly Distribution,Shpërndarja mujore,
-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ë,
 More,Më shumë,
 More Information,Me shume informacion,
 More than one selection for {0} not allowed,Më shumë se një përzgjedhje për {0} nuk lejohet,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Paguaj {0} {1},
 Payable,për t&#39;u paguar,
 Payable Account,Llogaria e pagueshme,
-Payable Amount,Shuma e pagueshme,
 Payment,Pagesa,
 Payment Cancelled. Please check your GoCardless Account for more details,Pagesa u anulua. Kontrollo llogarinë tënde GoCardless për më shumë detaje,
 Payment Confirmation,Konfirmim pagese,
-Payment Date,Data e pagesës,
 Payment Days,Ditët e pagesës,
 Payment Document,Dokumenti pagesa,
 Payment Due Date,Afati i pageses,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,Ju lutemi shkruani vërtetim Blerje parë,
 Please enter Receipt Document,Ju lutemi shkruani Dokumenti Marrjes,
 Please enter Reference date,Ju lutem shkruani datën Reference,
-Please enter Repayment Periods,Ju lutemi shkruani Periudhat Ripagimi,
 Please enter Reqd by Date,Ju lutemi shkruani Reqd by Date,
 Please enter Woocommerce Server URL,Ju lutemi shkruani URL Woocommerce Server,
 Please enter Write Off Account,"Ju lutem, jepini të anullojë Llogari",
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,Ju lutemi shkruani qendra kosto prind,
 Please enter quantity for Item {0},Ju lutemi shkruani sasine e artikullit {0},
 Please enter relieving date.,Ju lutemi të hyrë në lehtësimin datën.,
-Please enter repayment Amount,Ju lutemi shkruani shlyerjes Shuma,
 Please enter valid Financial Year Start and End Dates,Ju lutem shkruani Viti Financiar i vlefshëm Start dhe Datat Fundi,
 Please enter valid email address,Ju lutemi shkruani adresën vlefshme email,
 Please enter {0} first,Ju lutem shkruani {0} parë,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Rregullat e Çmimeve të filtruar më tej në bazë të sasisë.,
 Primary Address Details,Detajet e Fillores,
 Primary Contact Details,Detajet e Fillimit të Kontaktit,
-Principal Amount,shumën e principalit,
 Print Format,Format Print,
 Print IRS 1099 Forms,Shtypni formularët IRS 1099,
 Print Report Card,Kartela e Raportimit të Printimit,
@@ -2550,7 +2538,6 @@
 Sample Collection,Sample Collection,
 Sample quantity {0} cannot be more than received quantity {1},Sasia e mostrës {0} nuk mund të jetë më e madhe sesa {1},
 Sanctioned,sanksionuar,
-Sanctioned Amount,Shuma e Sanksionuar,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Shuma e sanksionuar nuk mund të jetë më e madhe se shuma e kërkesës në Row {0}.,
 Sand,rërë,
 Saturday,E shtunë,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} tashmë ka një procedurë prindërore {1}.,
 API,API,
 Annual,Vjetor,
-Approved,I miratuar,
 Change,Ndryshim,
 Contact Email,Kontakti Email,
 Export Type,Lloji i eksportit,
@@ -3571,7 +3557,6 @@
 Account Value,Vlera e llogarisë,
 Account is mandatory to get payment entries,Llogaria është e detyrueshme për të marrë hyrje në pagesa,
 Account is not set for the dashboard chart {0},Llogaria nuk është e vendosur për grafikun e tabelave të tryezës {0,
-Account {0} does not belong to company {1},Llogaria {0} nuk i përket kompanisë {1},
 Account {0} does not exists in the dashboard chart {1},Llogaria {0} nuk ekziston në tabelën e pultit {1,
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Llogaria: <b>{0}</b> është kapital Puna në zhvillim e sipër dhe nuk mund të azhurnohet nga Journal Entry,
 Account: {0} is not permitted under Payment Entry,Llogaria: {0} nuk lejohet nën Hyrjen e Pagesave,
@@ -3582,7 +3567,6 @@
 Activity,Aktivitet,
 Add / Manage Email Accounts.,Add / Manage llogaritë e-mail.,
 Add Child,Shto Fëmija,
-Add Loan Security,Shtoni sigurinë e kredisë,
 Add Multiple,Shto Multiple,
 Add Participants,Shto pjesëmarrësit,
 Add to Featured Item,Shtoni në artikullin e preferuar,
@@ -3593,15 +3577,12 @@
 Address Line 1,Adresa Line 1,
 Addresses,Adresat,
 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.,
-Against Loan,Kundër huasë,
-Against Loan:,Kundër huasë:,
 All,ALL,
 All bank transactions have been created,Të gjitha transaksionet bankare janë krijuar,
 All the depreciations has been booked,Të gjitha amortizimet janë prenotuar,
 Allocation Expired!,Alokimi skadoi!,
 Allow Resetting Service Level Agreement from Support Settings.,Lejoni rivendosjen e marrëveshjes së nivelit të shërbimit nga Cilësimet e mbështetjes.,
 Amount of {0} is required for Loan closure,Shuma e {0 kërkohet për mbylljen e huasë,
-Amount paid cannot be zero,Shuma e paguar nuk mund të jetë zero,
 Applied Coupon Code,Kodi i Kuponit të Aplikuar,
 Apply Coupon Code,Aplikoni Kodin e Kuponit,
 Appointment Booking,Rezervimi i Emërimeve,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,Nuk mund të llogaritet koha e mbërritjes pasi mungon Adresa e Shoferit.,
 Cannot Optimize Route as Driver Address is Missing.,Nuk mund të Optimizohet Rruga pasi Adresa e Shoferit mungon.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Nuk mund të përfundojë detyra {0} pasi detyra e saj e varur {1} nuk përmblidhen / anulohen.,
-Cannot create loan until application is approved,Nuk mund të krijojë kredi derisa të miratohet aplikacioni,
 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.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Nuk mund të mbingarkohet për Artikullin {0} në rresht {1} më shumë se {2. Për të lejuar faturimin e tepërt, ju lutemi vendosni lejimin në Cilësimet e Llogarive",
 "Capacity Planning Error, planned start time can not be same as end time","Gabimi i planifikimit të kapacitetit, koha e planifikuar e fillimit nuk mund të jetë e njëjtë me kohën e përfundimit",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Më pak se shuma,
 Liabilities,detyrimet,
 Loading...,Duke u ngarkuar ...,
-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,
 Loan Applications from customers and employees.,Aplikime për hua nga klientët dhe punonjësit.,
-Loan Disbursement,Disbursimi i huasë,
 Loan Processes,Proceset e huasë,
-Loan Security,Sigurimi i huasë,
-Loan Security Pledge,Pengu i sigurimit të huasë,
-Loan Security Pledge Created : {0},Krijuar peng për sigurinë e kredisë: {0},
-Loan Security Price,Mimi i sigurisë së huasë,
-Loan Security Price overlapping with {0},Mbivendosja e çmimit të sigurisë së kredisë me {0,
-Loan Security Unpledge,Mosmarrëveshja e Sigurisë së Kredisë,
-Loan Security Value,Vlera e sigurisë së huasë,
 Loan Type for interest and penalty rates,Lloji i huasë për normat e interesit dhe dënimit,
-Loan amount cannot be greater than {0},Shuma e kredisë nuk mund të jetë më e madhe se {0,
-Loan is mandatory,Kredia është e detyrueshme,
 Loans,Loans,
 Loans provided to customers and employees.,Kredi për klientët dhe punonjësit.,
 Location,Vend,
@@ -3894,7 +3863,6 @@
 Pay,Kushtoj,
 Payment Document Type,Lloji i dokumentit të pagesës,
 Payment Name,Emri i Pagesës,
-Penalty Amount,Shuma e dënimit,
 Pending,Në pritje të,
 Performance,Performance,
 Period based On,Periudha e bazuar në,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,Ju lutemi identifikohuni si një përdorues i Tregut për të modifikuar këtë artikull.,
 Please login as a Marketplace User to report this item.,Ju lutemi identifikohuni si një përdorues i Tregut për të raportuar këtë artikull.,
 Please select <b>Template Type</b> to download template,Ju lutemi zgjidhni <b>Llojin e modelit</b> për të shkarkuar modelin,
-Please select Applicant Type first,Ju lutemi zgjidhni së pari Llojin e Aplikuesit,
 Please select Customer first,Ju lutemi zgjidhni së pari Konsumatorin,
 Please select Item Code first,Ju lutemi zgjidhni së pari Kodin e Artikullit,
-Please select Loan Type for company {0},Ju lutemi zgjidhni Llojin e kredisë për kompaninë {0,
 Please select a Delivery Note,Ju lutemi zgjidhni një Shënim Dorëzimi,
 Please select a Sales Person for item: {0},Ju lutemi zgjidhni një person shitje për artikullin: {0,
 Please select another payment method. Stripe does not support transactions in currency '{0}',Ju lutem zgjidhni një tjetër metodë e pagesës. Stripe nuk e mbështet transaksionet në monedhë të &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Ju lutemi vendosni një llogari bankare të paracaktuar për kompaninë {0,
 Please specify,Ju lutem specifikoni,
 Please specify a {0},Ju lutemi specifikoni një {0,lead
-Pledge Status,Statusi i pengut,
-Pledge Time,Koha e pengut,
 Printing,Shtypje,
 Priority,Prioritet,
 Priority has been changed to {0}.,Prioriteti është ndryshuar në {0.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Përpunimi i skedarëve XML,
 Profitability,profitabilitetit,
 Project,Projekt,
-Proposed Pledges are mandatory for secured Loans,Premtimet e propozuara janë të detyrueshme për kreditë e siguruara,
 Provide the academic year and set the starting and ending date.,Siguroni vitin akademik dhe caktoni datën e fillimit dhe mbarimit.,
 Public token is missing for this bank,Shenja publike mungon për këtë bankë,
 Publish,publikoj,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Pranimi i Blerjes nuk ka ndonjë artikull për të cilin është aktivizuar Shembulli i Mbajtjes.,
 Purchase Return,Kthimi Blerje,
 Qty of Finished Goods Item,Sasia e artikullit të mallrave të përfunduar,
-Qty or Amount is mandatroy for loan security,Sasia ose Shuma është mandatroy për sigurinë e kredisë,
 Quality Inspection required for Item {0} to submit,Inspektimi i cilësisë i kërkohet që artikulli {0} të paraqesë,
 Quantity to Manufacture,Sasia e Prodhimit,
 Quantity to Manufacture can not be zero for the operation {0},Sasia e Prodhimit nuk mund të jetë zero për operacionin {0,
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Data e besimit duhet të jetë më e madhe se ose e barabartë me datën e bashkimit,
 Rename,Riemërtoj,
 Rename Not Allowed,Riemërtimi nuk lejohet,
-Repayment Method is mandatory for term loans,Metoda e ripagimit është e detyrueshme për kreditë me afat,
-Repayment Start Date is mandatory for term loans,Data e fillimit të ripagimit është e detyrueshme për kreditë me afat,
 Report Item,Raporti Artikull,
 Report this Item,Raporto këtë artikull,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Sasia e rezervuar për nënkontrakt: Sasia e lëndëve të para për të bërë artikuj nënkontraktues.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Rreshti ({0}): {1} është zbritur tashmë në {2,
 Rows Added in {0},Rreshtat e shtuar në {0,
 Rows Removed in {0},Rreshtat hiqen në {0,
-Sanctioned Amount limit crossed for {0} {1},Kufiri i shumës së sanksionuar të kryqëzuar për {0} {1,
-Sanctioned Loan Amount already exists for {0} against company {1},Shuma e kredisë së sanksionuar tashmë ekziston për {0} kundër kompanisë {1,
 Save,Ruaj,
 Save Item,Ruaj artikullin,
 Saved Items,Artikujt e ruajtur,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Përdoruesi {0} është me aftësi të kufizuara,
 Users and Permissions,Përdoruesit dhe Lejet,
 Vacancies cannot be lower than the current openings,Vendet e lira të punës nuk mund të jenë më të ulëta se hapjet aktuale,
-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.,
 Valuation Rate required for Item {0} at row {1},Shkalla e vlerësimit e kërkuar për artikullin {0} në rreshtin {1,
 Values Out Of Sync,Vlerat jashtë sinkronizimit,
 Vehicle Type is required if Mode of Transport is Road,Lloji i automjetit kërkohet nëse mënyra e transportit është rrugore,
@@ -4211,7 +4168,6 @@
 Add to Cart,Futeni në kosh,
 Days Since Last Order,Ditët që nga porosia e fundit,
 In Stock,Në magazinë,
-Loan Amount is mandatory,Shuma e huasë është e detyrueshme,
 Mode Of Payment,Mënyra e pagesës,
 No students Found,Nuk u gjet asnjë student,
 Not in Stock,Jo në magazinë,
@@ -4240,7 +4196,6 @@
 Group by,Grupi Nga,
 In stock,Në gjendje,
 Item name,Item Emri,
-Loan amount is mandatory,Shuma e huasë është e detyrueshme,
 Minimum Qty,Qty. Minimale,
 More details,Më shumë detaje,
 Nature of Supplies,Natyra e furnizimeve,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Sasia totale e përfunduar,
 Qty to Manufacture,Qty Për Prodhimi,
 Repay From Salary can be selected only for term loans,Shlyerja nga rroga mund të zgjidhet vetëm për kreditë me afat,
-No valid Loan Security Price found for {0},Nuk u gjet asnjë çmim i vlefshëm i sigurisë së huasë për {0},
-Loan Account and Payment Account cannot be same,Llogaria e huasë dhe llogaria e pagesës nuk mund të jenë të njëjta,
-Loan Security Pledge can only be created for secured loans,Pengu i Sigurimit të Huasë mund të krijohet vetëm për kredi të siguruara,
 Social Media Campaigns,Fushatat e mediave sociale,
 From Date can not be greater than To Date,Nga Data nuk mund të jetë më e madhe se Te Data,
 Please set a Customer linked to the Patient,Ju lutemi vendosni një klient të lidhur me pacientin,
@@ -6437,7 +6389,6 @@
 HR User,HR User,
 Appointment Letter,Letra e Emërimeve,
 Job Applicant,Job Aplikuesi,
-Applicant Name,Emri i aplikantit,
 Appointment Date,Data e emërimit,
 Appointment Letter Template,Modeli i Letrës së Emërimeve,
 Body,trup,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Sync in Progress,
 Hub Seller Name,Emri i shitësit të Hub,
 Custom Data,Të Dhënat Custom,
-Member,anëtar,
-Partially Disbursed,lëvrohet pjesërisht,
-Loan Closure Requested,Kërkohet mbyllja e huasë,
 Repay From Salary,Paguajë nga paga,
-Loan Details,kredi Details,
-Loan Type,Lloji Loan,
-Loan Amount,Shuma e kredisë,
-Is Secured Loan,A është hua e siguruar,
-Rate of Interest (%) / Year,Norma e interesit (%) / Viti,
-Disbursement Date,disbursimi Date,
-Disbursed Amount,Shuma e disbursuar,
-Is Term Loan,A është hua me afat,
-Repayment Method,Metoda Ripagimi,
-Repay Fixed Amount per Period,Paguaj shuma fikse për një periudhë,
-Repay Over Number of Periods,Paguaj Over numri i periudhave,
-Repayment Period in Months,Afati i pagesës në muaj,
-Monthly Repayment Amount,Shuma mujore e pagesës,
-Repayment Start Date,Data e fillimit të ripagimit,
-Loan Security Details,Detaje të Sigurisë së Kredisë,
-Maximum Loan Value,Vlera maksimale e huasë,
-Account Info,Llogaria Info,
-Loan Account,Llogaria e huasë,
-Interest Income Account,Llogaria ardhurat nga interesi,
-Penalty Income Account,Llogaria e të ardhurave nga gjobat,
-Repayment Schedule,sHLYERJES,
-Total Payable Amount,Shuma totale e pagueshme,
-Total Principal Paid,Pagesa kryesore e paguar,
-Total Interest Payable,Interesi i përgjithshëm për t&#39;u paguar,
-Total Amount Paid,Shuma totale e paguar,
-Loan Manager,Menaxheri i huasë,
-Loan Info,kredi Info,
-Rate of Interest,Norma e interesit,
-Proposed Pledges,Premtimet e propozuara,
-Maximum Loan Amount,Shuma maksimale e kredisë,
-Repayment Info,Info Ripagimi,
-Total Payable Interest,Interesi i përgjithshëm për t&#39;u paguar,
-Against Loan ,Kundër Huasë,
-Loan Interest Accrual,Interesi i Kredisë Accrual,
-Amounts,shumat,
-Pending Principal Amount,Në pritje të shumës kryesore,
-Payable Principal Amount,Shuma kryesore e pagueshme,
-Paid Principal Amount,Shuma kryesore e paguar,
-Paid Interest Amount,Shuma e kamatës së paguar,
-Process Loan Interest Accrual,Interesi i kredisë së procesit akrual,
-Repayment Schedule Name,Emri i Programit të Shlyerjes,
 Regular Payment,Pagesa e rregullt,
 Loan Closure,Mbyllja e huasë,
-Payment Details,Detajet e pagesës,
-Interest Payable,Kamatë e pagueshme,
-Amount Paid,Shuma e paguar,
-Principal Amount Paid,Shuma e paguar e principalit,
-Repayment Details,Detajet e ripagimit,
-Loan Repayment Detail,Detaji i ripagimit të kredisë,
-Loan Security Name,Emri i Sigurisë së Huasë,
-Unit Of Measure,Njësia matëse,
-Loan Security Code,Kodi i Sigurisë së Kredisë,
-Loan Security Type,Lloji i sigurisë së huasë,
-Haircut %,Prerje flokësh%,
-Loan  Details,Detajet e huasë,
-Unpledged,Unpledged,
-Pledged,u zotua,
-Partially Pledged,Premtuar pjeserisht,
-Securities,Securities,
-Total Security Value,Vlera totale e sigurisë,
-Loan Security Shortfall,Mungesa e sigurisë së huasë,
-Loan ,hua,
-Shortfall Time,Koha e mungesës,
-America/New_York,America / New_York,
-Shortfall Amount,Shuma e mungesës,
-Security Value ,Vlera e sigurisë,
-Process Loan Security Shortfall,Mungesa e sigurisë së huasë në proces,
-Loan To Value Ratio,Raporti i huasë ndaj vlerës,
-Unpledge Time,Koha e bllokimit,
-Loan Name,kredi Emri,
 Rate of Interest (%) Yearly,Norma e interesit (%) vjetore,
-Penalty Interest Rate (%) Per Day,Shkalla e interesit të dënimit (%) në ditë,
-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,
-Grace Period in Days,Periudha e hirit në ditë,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,Nr. I ditëve nga data e caktuar deri në të cilën gjobë nuk do të ngarkohet në rast të vonesës në ripagimin e kredisë,
-Pledge,premtim,
-Post Haircut Amount,Shuma e prerjes së flokëve,
-Process Type,Lloji i procesit,
-Update Time,Koha e azhurnimit,
-Proposed Pledge,Premtimi i propozuar,
-Total Payment,Pagesa Total,
-Balance Loan Amount,Bilanci Shuma e Kredisë,
-Is Accrued,Acshtë përvetësuar,
 Salary Slip Loan,Kredia për paga,
 Loan Repayment Entry,Hyrja e ripagimit të huasë,
-Sanctioned Loan Amount,Shuma e kredisë së sanksionuar,
-Sanctioned Amount Limit,Limiti i shumës së sanksionuar,
-Unpledge,Unpledge,
-Haircut,prerje,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Generate Orari,
 Schedules,Oraret,
@@ -7885,7 +7749,6 @@
 Update Series,Update Series,
 Change the starting / current sequence number of an existing series.,Ndryshimi filluar / numrin e tanishëm sekuencë e një serie ekzistuese.,
 Prefix,Parashtesë,
-Current Value,Vlera e tanishme,
 This is the number of the last created transaction with this prefix,Ky është numri i transaksionit të fundit të krijuar me këtë prefiks,
 Update Series Number,Update Seria Numri,
 Quotation Lost Reason,Citat Humbur Arsyeja,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise Recommended reorder Niveli,
 Lead Details,Detajet Lead,
 Lead Owner Efficiency,Efikasiteti Lead Owner,
-Loan Repayment and Closure,Shlyerja dhe mbyllja e huasë,
-Loan Security Status,Statusi i Sigurisë së Kredisë,
 Lost Opportunity,Mundësia e Humbur,
 Maintenance Schedules,Mirëmbajtja Oraret,
 Material Requests for which Supplier Quotations are not created,Kërkesat materiale për të cilat Kuotimet Furnizuesi nuk janë krijuar,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Numërimet e synuara: {0},
 Payment Account is mandatory,Llogaria e Pagesës është e detyrueshme,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Nëse kontrollohet, shuma e plotë do të zbritet nga të ardhurat e tatueshme para llogaritjes së tatimit mbi të ardhurat pa ndonjë deklaratë ose paraqitje provë.",
-Disbursement Details,Detajet e disbursimit,
 Material Request Warehouse,Depo për Kërkesë Materiali,
 Select warehouse for material requests,Zgjidhni magazinën për kërkesat materiale,
 Transfer Materials For Warehouse {0},Transferimi i materialeve për magazinën {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Shlyeni shumën e pakërkuar nga paga,
 Deduction from salary,Zbritja nga paga,
 Expired Leaves,Gjethet e skaduara,
-Reference No,Referenca Nr,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,Përqindja e prerjes së flokëve është diferenca në përqindje midis vlerës së tregut të Sigurimit të Huasë dhe vlerës së përshkruar asaj Sigurimi të Huasë kur përdoret si kolateral për atë hua.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,Raporti i Huasë me Vlerën shpreh raportin e shumës së kredisë me vlerën e garancisë së lënë peng. Një mungesë e sigurisë së kredisë do të shkaktohet nëse kjo bie nën vlerën e specifikuar për çdo kredi,
 If this is not checked the loan by default will be considered as a Demand Loan,"Nëse kjo nuk kontrollohet, kredia si parazgjedhje do të konsiderohet si një Kredi e Kërkesës",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Kjo llogari përdoret për rezervimin e ripagimeve të huasë nga huamarrësi dhe gjithashtu disbursimin e huamarrësve,
 This account is capital account which is used to allocate capital for loan disbursal account ,Kjo llogari është llogari kapitale e cila përdoret për të alokuar kapitalin për llogarinë e disbursimit të kredisë,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Operacioni {0} nuk i përket urdhrit të punës {1},
 Print UOM after Quantity,Shtypni UOM pas Sasisë,
 Set default {0} account for perpetual inventory for non stock items,Vendosni llogarinë e paracaktuar {0} për inventarin e përhershëm për artikujt jo të aksioneve,
-Loan Security {0} added multiple times,Siguria e kredisë {0} u shtua shumë herë,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Letrat me vlerë të Huasë me raport të ndryshëm LTV nuk mund të lihen peng ndaj një kredie,
-Qty or Amount is mandatory for loan security!,Shuma ose Shuma është e detyrueshme për sigurinë e kredisë!,
-Only submittted unpledge requests can be approved,Vetëm kërkesat e paraqitura për peng nuk mund të aprovohen,
-Interest Amount or Principal Amount is mandatory,Shuma e interesit ose shuma e principalit është e detyrueshme,
-Disbursed Amount cannot be greater than {0},Shuma e disbursuar nuk mund të jetë më e madhe se {0},
-Row {0}: Loan Security {1} added multiple times,Rreshti {0}: Siguria e huasë {1} e shtuar shumë herë,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Rreshti # {0}: Artikulli i Fëmijëve nuk duhet të jetë Pako e Produktit. Ju lutemi hiqni Artikullin {1} dhe Ruajeni,
 Credit limit reached for customer {0},U arrit kufiri i kredisë për klientin {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Nuk mund të krijonte automatikisht Klientin për shkak të fushave (eve) të detyrueshme që mungojnë:,
diff --git a/erpnext/translations/sr.csv b/erpnext/translations/sr.csv
index 9991b34..46b85c2 100644
--- a/erpnext/translations/sr.csv
+++ b/erpnext/translations/sr.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Применљиво ако је компанија СпА, САпА или СРЛ",
 Applicable if the company is a limited liability company,Применљиво ако је компанија са ограниченом одговорношћу,
 Applicable if the company is an Individual or a Proprietorship,Применљиво ако је компанија физичка особа или власништво,
-Applicant,Подносилац захтева,
-Applicant Type,Тип подносиоца захтева,
 Application of Funds (Assets),Применение средств ( активов ),
 Application period cannot be across two allocation records,Период примене не може бити преко две евиденције алокације,
 Application period cannot be outside leave allocation period,Период примене не може бити изван одсуство расподела Период,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Списак доступних акционара са бројевима фолије,
 Loading Payment System,Учитавање платног система,
 Loan,Зајам,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Износ кредита не може бити већи од максимални износ кредита {0},
-Loan Application,Кредитног захтева,
-Loan Management,Управљање зајмовима,
-Loan Repayment,Отплата кредита,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Датум почетка и Период зајма су обавезни да бисте сачували попуст на фактури,
 Loans (Liabilities),Кредиты ( обязательства),
 Loans and Advances (Assets),Кредиты и авансы ( активы ),
@@ -1611,7 +1605,6 @@
 Monday,Понедељак,
 Monthly,Месечно,
 Monthly Distribution,Месечни Дистрибуција,
-Monthly Repayment Amount cannot be greater than Loan Amount,Месечна отплата износ не може бити већи од кредита Износ,
 More,Више,
 More Information,Више информација,
 More than one selection for {0} not allowed,Више од једног избора за {0} није дозвољено,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Плаћајте {0} {1},
 Payable,к оплате,
 Payable Account,Плаћа се рачуна,
-Payable Amount,Износ који се плаћа,
 Payment,Плаћање,
 Payment Cancelled. Please check your GoCardless Account for more details,Плаћање је отказано. Проверите свој ГоЦардлесс рачун за више детаља,
 Payment Confirmation,Потврда о уплати,
-Payment Date,Датум исплате,
 Payment Days,Дана исплате,
 Payment Document,dokument плаћање,
 Payment Due Date,Плаћање Дуе Дате,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,Молимо вас да унесете први оригинални рачун,
 Please enter Receipt Document,Молимо унесите Документ о пријему,
 Please enter Reference date,"Пожалуйста, введите дату Ссылка",
-Please enter Repayment Periods,Молимо Вас да унесете отплате Периоди,
 Please enter Reqd by Date,Молимо унесите Рекд по датуму,
 Please enter Woocommerce Server URL,Унесите УРЛ адресу Вооцоммерце Сервера,
 Please enter Write Off Account,"Пожалуйста, введите списать счет",
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,"Пожалуйста, введите МВЗ родительский",
 Please enter quantity for Item {0},"Пожалуйста, введите количество для Пункт {0}",
 Please enter relieving date.,"Пожалуйста, введите даты снятия .",
-Please enter repayment Amount,Молимо Вас да унесете отплате Износ,
 Please enter valid Financial Year Start and End Dates,Молимо Вас да унесете важи финансијске године датум почетка,
 Please enter valid email address,Унесите исправну е-маил адресу,
 Please enter {0} first,Молимо Вас да унесете {0} прво,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Цене Правила се даље филтрира на основу количине.,
 Primary Address Details,Примарни детаљи детаља,
 Primary Contact Details,Примарне контактне информације,
-Principal Amount,Основицу,
 Print Format,Принт Формат,
 Print IRS 1099 Forms,Испиши обрасце ИРС 1099,
 Print Report Card,Штампај извештај картицу,
@@ -2550,7 +2538,6 @@
 Sample Collection,Сампле Цоллецтион,
 Sample quantity {0} cannot be more than received quantity {1},Количина узорка {0} не може бити већа од примљене количине {1},
 Sanctioned,санкционисан,
-Sanctioned Amount,Санкционисани износ,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Санкционисани износ не може бити већи од износ потраживања у низу {0}.,
 Sand,Песак,
 Saturday,Субота,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} већ има родитељску процедуру {1}.,
 API,АПИ,
 Annual,годовой,
-Approved,Одобрено,
 Change,Промена,
 Contact Email,Контакт Емаил,
 Export Type,Тип извоза,
@@ -3571,7 +3557,6 @@
 Account Value,Вредност рачуна,
 Account is mandatory to get payment entries,Рачун је обавезан за унос плаћања,
 Account is not set for the dashboard chart {0},За графикон на контролној табли није подешен рачун {0},
-Account {0} does not belong to company {1},Счет {0} не принадлежит компании {1},
 Account {0} does not exists in the dashboard chart {1},Налог {0} не постоји у табели командне табле {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Рачун: <b>{0}</b> је капитал Не ради се и не може га ажурирати унос у часопис,
 Account: {0} is not permitted under Payment Entry,Рачун: {0} није дозвољен уносом плаћања,
@@ -3582,7 +3567,6 @@
 Activity,Активност,
 Add / Manage Email Accounts.,Додај / Манаге Емаил Аццоунтс.,
 Add Child,Додај Цхилд,
-Add Loan Security,Додајте осигурање кредита,
 Add Multiple,Додавање више,
 Add Participants,Додајте учеснике,
 Add to Featured Item,Додај у истакнути артикл,
@@ -3593,15 +3577,12 @@
 Address Line 1,Аддресс Лине 1,
 Addresses,Адресе,
 Admission End Date should be greater than Admission Start Date.,Датум завршетка пријема требао би бити већи од датума почетка пријема.,
-Against Loan,Против зајма,
-Against Loan:,Против зајма:,
 All,Све,
 All bank transactions have been created,Све банкарске трансакције су креиране,
 All the depreciations has been booked,Све амортизације су књижене,
 Allocation Expired!,Расподјела је истекла!,
 Allow Resetting Service Level Agreement from Support Settings.,Дозволите ресетирање споразума о нивоу услуге из поставки подршке.,
 Amount of {0} is required for Loan closure,За затварање зајма потребан је износ {0},
-Amount paid cannot be zero,Плаћени износ не може бити нула,
 Applied Coupon Code,Примењени код купона,
 Apply Coupon Code,Примените код купона,
 Appointment Booking,Резервација термина,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,Не могу израчунати време доласка јер недостаје адреса возача.,
 Cannot Optimize Route as Driver Address is Missing.,Рута не може да се оптимизира јер недостаје адреса возача.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Не могу извршити задатак {0} јер његов зависни задатак {1} није довршен / отказан.,
-Cannot create loan until application is approved,Није могуће креирање зајма док апликација не буде одобрена,
 Cannot find a matching Item. Please select some other value for {0}.,Не могу да нађем ставку која се подудара. Молимо Вас да одаберете неку другу вредност за {0}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Не могу се преплатити за ставку {0} у реду {1} више од {2}. Да бисте омогућили прекомерно наплаћивање, молимо подесите додатак у Поставке рачуна",
 "Capacity Planning Error, planned start time can not be same as end time","Погрешка планирања капацитета, планирано вријеме почетка не може бити исто колико и вријеме завршетка",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Мање од износа,
 Liabilities,"Пасива, дугови",
 Loading...,Учитавање ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Износ зајма премашује максимални износ зајма од {0} по предложеним хартијама од вредности,
 Loan Applications from customers and employees.,Пријаве за зајмове од купаца и запослених.,
-Loan Disbursement,Исплата зајма,
 Loan Processes,Процеси зајма,
-Loan Security,Гаранција на кредит,
-Loan Security Pledge,Зајам за зајам кредита,
-Loan Security Pledge Created : {0},Зајам за зајам креиран: {0},
-Loan Security Price,Цена гаранције зајма,
-Loan Security Price overlapping with {0},Цена зајамног осигурања која се преклапа са {0},
-Loan Security Unpledge,Безплатна позајмица,
-Loan Security Value,Вредност зајма кредита,
 Loan Type for interest and penalty rates,Врста кредита за камату и затезне стопе,
-Loan amount cannot be greater than {0},Износ зајма не може бити већи од {0},
-Loan is mandatory,Зајам је обавезан,
 Loans,Кредити,
 Loans provided to customers and employees.,Кредити купцима и запосленима.,
 Location,расположение,
@@ -3894,7 +3863,6 @@
 Pay,Платити,
 Payment Document Type,Врста документа плаћања,
 Payment Name,Назив плаћања,
-Penalty Amount,Износ казне,
 Pending,Нерешен,
 Performance,Перформансе,
 Period based On,Период заснован на,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,Пријавите се као Корисник Маркетплаце-а да бисте уредили ову ставку.,
 Please login as a Marketplace User to report this item.,Пријавите се као корисник Маркетплаце-а да бисте пријавили ову ставку.,
 Please select <b>Template Type</b> to download template,Изаберите <b>Тип</b> предлошка за преузимање шаблона,
-Please select Applicant Type first,Прво одаберите врсту подносиоца захтева,
 Please select Customer first,Прво одаберите купца,
 Please select Item Code first,Прво одаберите шифру предмета,
-Please select Loan Type for company {0},Молимо одаберите врсту кредита за компанију {0},
 Please select a Delivery Note,Изаберите напомену о достави,
 Please select a Sales Person for item: {0},Изаберите продајно лице за артикал: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Молимо одаберите други начин плаћања. Трака не подржава трансакције у валути &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Подесите задани банковни рачун за компанију {0},
 Please specify,Наведите,
 Please specify a {0},Молимо наведите {0},lead
-Pledge Status,Статус залога,
-Pledge Time,Време залога,
 Printing,Штампање,
 Priority,Приоритет,
 Priority has been changed to {0}.,Приоритет је промењен у {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Обрада КСМЛ датотека,
 Profitability,Профитабилност,
 Project,Пројекат,
-Proposed Pledges are mandatory for secured Loans,Предложене залоге су обавезне за осигуране зајмове,
 Provide the academic year and set the starting and ending date.,Наведите академску годину и одредите датум почетка и завршетка.,
 Public token is missing for this bank,Јавни токен недостаје за ову банку,
 Publish,Објави,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Потврда о куповини нема ставку за коју је омогућен задржати узорак.,
 Purchase Return,Куповина Ретурн,
 Qty of Finished Goods Item,Количина производа готове робе,
-Qty or Amount is mandatroy for loan security,Количина или износ је мандатрои за осигурање кредита,
 Quality Inspection required for Item {0} to submit,Инспекција квалитета потребна за подношење предмета {0},
 Quantity to Manufacture,Количина за производњу,
 Quantity to Manufacture can not be zero for the operation {0},Количина за производњу не може бити нула за операцију {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Датум ослобађања мора бити већи или једнак датуму придруживања,
 Rename,Преименовање,
 Rename Not Allowed,Преименовање није дозвољено,
-Repayment Method is mandatory for term loans,Начин отплате је обавезан за орочене кредите,
-Repayment Start Date is mandatory for term loans,Датум почетка отплате је обавезан за орочене кредите,
 Report Item,Извештај,
 Report this Item,Пријави ову ставку,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Количина резервисаног за подуговор: Количина сировина за израду предмета са подуговарањем.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Ред ({0}): {1} је већ снижен у {2},
 Rows Added in {0},Редови су додани у {0},
 Rows Removed in {0},Редови су уклоњени за {0},
-Sanctioned Amount limit crossed for {0} {1},Граница санкционисаног износа прешла за {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},Износ санкционисаног зајма већ постоји за {0} против компаније {1},
 Save,сачувати,
 Save Item,Сачувај ставку,
 Saved Items,Сачуване ставке,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Пользователь {0} отключена,
 Users and Permissions,Корисници и дозволе,
 Vacancies cannot be lower than the current openings,Слободна радна места не могу бити нижа од постојећих,
-Valid From Time must be lesser than Valid Upto Time.,Важи од времена мора бити краће од Важећег времена.,
 Valuation Rate required for Item {0} at row {1},Стопа вредновања потребна за позицију {0} у реду {1},
 Values Out Of Sync,Вредности ван синхронизације,
 Vehicle Type is required if Mode of Transport is Road,Тип возила је потребан ако је начин превоза друмски,
@@ -4211,7 +4168,6 @@
 Add to Cart,Добавить в корзину,
 Days Since Last Order,Дани од последње наруџбе,
 In Stock,На складишту,
-Loan Amount is mandatory,Износ зајма је обавезан,
 Mode Of Payment,Начин плаћања,
 No students Found,Није пронађен ниједан студент,
 Not in Stock,Није у стању,
@@ -4240,7 +4196,6 @@
 Group by,Група По,
 In stock,На лагеру,
 Item name,Назив,
-Loan amount is mandatory,Износ зајма је обавезан,
 Minimum Qty,Минимални количина,
 More details,Више детаља,
 Nature of Supplies,Натуре оф Супплиес,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Укупно завршено Количина,
 Qty to Manufacture,Кол Да Производња,
 Repay From Salary can be selected only for term loans,Репаи Фром Салари може се одабрати само за орочене кредите,
-No valid Loan Security Price found for {0},Није пронађена важећа цена зајма за кредит за {0},
-Loan Account and Payment Account cannot be same,Рачун зајма и рачун за плаћање не могу бити исти,
-Loan Security Pledge can only be created for secured loans,Обезбеђење зајма може се створити само за обезбеђене зајмове,
 Social Media Campaigns,Кампање на друштвеним мрежама,
 From Date can not be greater than To Date,Од датума не може бити већи од датума,
 Please set a Customer linked to the Patient,Поставите купца повезаног са пацијентом,
@@ -6437,7 +6389,6 @@
 HR User,ХР Корисник,
 Appointment Letter,Писмо о именовању,
 Job Applicant,Посао захтева,
-Applicant Name,Подносилац захтева Име,
 Appointment Date,Датум именовања,
 Appointment Letter Template,Предложак писма о именовању,
 Body,Тело,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Синхронизација у току,
 Hub Seller Name,Продавац Име продавца,
 Custom Data,Кориснички подаци,
-Member,Члан,
-Partially Disbursed,Делимично Додељено,
-Loan Closure Requested,Затражено затварање зајма,
 Repay From Salary,Отплатити од плате,
-Loan Details,kredit Детаљи,
-Loan Type,Тип кредита,
-Loan Amount,Износ позајмице,
-Is Secured Loan,Обезбеђен зајам,
-Rate of Interest (%) / Year,Каматна стопа (%) / Иеар,
-Disbursement Date,isplata Датум,
-Disbursed Amount,Изплаћена сума,
-Is Term Loan,Терм зајам,
-Repayment Method,Начин отплате,
-Repay Fixed Amount per Period,Отплатити фиксан износ по периоду,
-Repay Over Number of Periods,Отплатити Овер број периода,
-Repayment Period in Months,Период отплате у месецима,
-Monthly Repayment Amount,Месечна отплата Износ,
-Repayment Start Date,Датум почетка отплате,
-Loan Security Details,Детаљи осигурања кредита,
-Maximum Loan Value,Максимална вредност зајма,
-Account Info,račun информације,
-Loan Account,Кредитни рачун,
-Interest Income Account,Приход од камата рачуна,
-Penalty Income Account,Рачун дохотка од казни,
-Repayment Schedule,отплате,
-Total Payable Amount,Укупно плаћају износ,
-Total Principal Paid,Укупна плаћена главница,
-Total Interest Payable,Укупно камати,
-Total Amount Paid,Укупан износ плаћен,
-Loan Manager,Менаџер кредита,
-Loan Info,kredit информације,
-Rate of Interest,Ниво интересовања,
-Proposed Pledges,Предложена обећања,
-Maximum Loan Amount,Максимални износ кредита,
-Repayment Info,otplata информације,
-Total Payable Interest,Укупно оплате камата,
-Against Loan ,Против зајма,
-Loan Interest Accrual,Обрачунате камате на зајмове,
-Amounts,Количине,
-Pending Principal Amount,На чекању главнице,
-Payable Principal Amount,Плативи главни износ,
-Paid Principal Amount,Плаћени износ главнице,
-Paid Interest Amount,Износ плаћене камате,
-Process Loan Interest Accrual,Обрачун камата на зајам,
-Repayment Schedule Name,Назив распореда отплате,
 Regular Payment,Редовна уплата,
 Loan Closure,Затварање зајма,
-Payment Details,Podaci o plaćanju,
-Interest Payable,Зарађена камата,
-Amount Paid,Износ Плаћени,
-Principal Amount Paid,Износ главнице,
-Repayment Details,Детаљи отплате,
-Loan Repayment Detail,Детаљи отплате зајма,
-Loan Security Name,Име зајма зајма,
-Unit Of Measure,Јединица мере,
-Loan Security Code,Код за сигурност кредита,
-Loan Security Type,Врста осигурања зајма,
-Haircut %,Фризура%,
-Loan  Details,Детаљи о зајму,
-Unpledged,Непотпуњено,
-Pledged,Заложено,
-Partially Pledged,Делимично заложено,
-Securities,Хартије од вредности,
-Total Security Value,Укупна вредност безбедности,
-Loan Security Shortfall,Недостатак осигурања кредита,
-Loan ,Зајам,
-Shortfall Time,Време краћења,
-America/New_York,Америка / Нев_Иорк,
-Shortfall Amount,Износ мањка,
-Security Value ,Вредност сигурности,
-Process Loan Security Shortfall,Недостатак сигурности зајма у процесу,
-Loan To Value Ratio,Однос зајма до вредности,
-Unpledge Time,Време унпледге-а,
-Loan Name,kredit Име,
 Rate of Interest (%) Yearly,Каматна стопа (%) Годишња,
-Penalty Interest Rate (%) Per Day,Каматна стопа (%) по дану,
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Затезна камата се свакодневно обрачунава на виши износ камате у случају кашњења са отплатом,
-Grace Period in Days,Граце Период у данима,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,Број дана од датума доспећа до којег се неће наплатити казна у случају кашњења у отплати кредита,
-Pledge,Залог,
-Post Haircut Amount,Износ пошиљања фризуре,
-Process Type,Тип процеса,
-Update Time,Време ажурирања,
-Proposed Pledge,Предложено заложно право,
-Total Payment,Укупан износ,
-Balance Loan Amount,Биланс Износ кредита,
-Is Accrued,Је обрачунато,
 Salary Slip Loan,Зараду за плате,
 Loan Repayment Entry,Отплата зајма,
-Sanctioned Loan Amount,Износ санкције зајма,
-Sanctioned Amount Limit,Лимитирани износ лимита,
-Unpledge,Унпледге,
-Haircut,Шишање,
 MAT-MSH-.YYYY.-,МАТ-МСХ-ИИИИ.-,
 Generate Schedule,Генериши Распоред,
 Schedules,Распореди,
@@ -7885,7 +7749,6 @@
 Update Series,Упдате,
 Change the starting / current sequence number of an existing series.,Промена стартовања / струја број редни постојеће серије.,
 Prefix,Префикс,
-Current Value,Тренутна вредност,
 This is the number of the last created transaction with this prefix,То је број последње створеног трансакције са овим префиксом,
 Update Series Number,Упдате Број,
 Quotation Lost Reason,Понуда Лост разлог,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Препоручени ниво Итемвисе Реордер,
 Lead Details,Олово Детаљи,
 Lead Owner Efficiency,Олово Власник Ефикасност,
-Loan Repayment and Closure,Отплата и затварање зајма,
-Loan Security Status,Статус осигурања кредита,
 Lost Opportunity,Изгубљена прилика,
 Maintenance Schedules,Планове одржавања,
 Material Requests for which Supplier Quotations are not created,Материјални Захтеви за који Супплиер Цитати нису створени,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Број циљаних бројева: {0},
 Payment Account is mandatory,Рачун за плаћање је обавезан,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Ако се означи, пуни износ ће се одбити од опорезивог дохотка пре обрачуна пореза на доходак без икакве изјаве или подношења доказа.",
-Disbursement Details,Детаљи исплате,
 Material Request Warehouse,Складиште захтева за материјал,
 Select warehouse for material requests,Изаберите складиште за захтеве за материјалом,
 Transfer Materials For Warehouse {0},Трансфер материјала за складиште {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Отплати неискоришћени износ из плате,
 Deduction from salary,Одбитак од зараде,
 Expired Leaves,Истекло лишће,
-Reference No,Референтни број,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,Проценат шишања је процентуална разлика између тржишне вредности обезбеђења зајма и вредности која се приписује том обезбеђењу зајма када се користи као залог за тај зајам.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,Однос зајма и вредности изражава однос износа зајма према вредности заложеног обезбеђења. Недостатак осигурања зајма покренуће се ако падне испод наведене вредности за било који зајам,
 If this is not checked the loan by default will be considered as a Demand Loan,"Ако ово није потврђено, зајам ће се подразумевано сматрати зајмом на захтев",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Овај рачун се користи за резервирање отплате зајма од зајмопримца и за исплату зајмова зајмопримцу,
 This account is capital account which is used to allocate capital for loan disbursal account ,Овај рачун је рачун капитала који се користи за алокацију капитала за рачун за издвајање кредита,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Операција {0} не припада радном налогу {1},
 Print UOM after Quantity,Одштампај УОМ након количине,
 Set default {0} account for perpetual inventory for non stock items,Поставите подразумевани {0} рачун за трајни инвентар за ставке које нису на залихама,
-Loan Security {0} added multiple times,Обезбеђење зајма {0} је додато више пута,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Гаранције за зајам са различитим односом ЛТВ не могу се заложити за један зајам,
-Qty or Amount is mandatory for loan security!,Количина или износ су обавезни за осигурање кредита!,
-Only submittted unpledge requests can be approved,Могу се одобрити само поднети захтеви за неупитништво,
-Interest Amount or Principal Amount is mandatory,Износ камате или износ главнице је обавезан,
-Disbursed Amount cannot be greater than {0},Исплаћени износ не може бити већи од {0},
-Row {0}: Loan Security {1} added multiple times,Ред {0}: Обезбеђење позајмице {1} додат је више пута,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Ред # {0}: Подређена ставка не би требало да буде пакет производа. Уклоните ставку {1} и сачувајте,
 Credit limit reached for customer {0},Досегнуто кредитно ограничење за купца {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Није могуће аутоматски креирати купца због следећих обавезних поља која недостају:,
diff --git a/erpnext/translations/sv.csv b/erpnext/translations/sv.csv
index 02c75b5..89445c8 100644
--- a/erpnext/translations/sv.csv
+++ b/erpnext/translations/sv.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Tillämpligt om företaget är SpA, SApA eller SRL",
 Applicable if the company is a limited liability company,Tillämpligt om företaget är ett aktiebolag,
 Applicable if the company is an Individual or a Proprietorship,Tillämpligt om företaget är en individ eller ett innehav,
-Applicant,Sökande,
-Applicant Type,Sökande Typ,
 Application of Funds (Assets),Tillämpning av medel (tillgångar),
 Application period cannot be across two allocation records,Ansökningsperioden kan inte över två fördelningsrekord,
 Application period cannot be outside leave allocation period,Ansökningstiden kan inte vara utanför ledighet fördelningsperioden,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Förteckning över tillgängliga aktieägare med folienummer,
 Loading Payment System,Hämtar betalningssystemet,
 Loan,Lån,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Lånebeloppet kan inte överstiga Maximal låne Mängd {0},
-Loan Application,Låneansökan,
-Loan Management,Lånhantering,
-Loan Repayment,Låneåterbetalning,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Lånets startdatum och låneperiod är obligatoriskt för att spara fakturabatteringen,
 Loans (Liabilities),Lån (Skulder),
 Loans and Advances (Assets),Utlåning (tillgångar),
@@ -1611,7 +1605,6 @@
 Monday,Måndag,
 Monthly,Månadsvis,
 Monthly Distribution,Månads Fördelning,
-Monthly Repayment Amount cannot be greater than Loan Amount,Månatliga återbetalningen belopp kan inte vara större än Lånebelopp,
 More,Mer,
 More Information,Mer information,
 More than one selection for {0} not allowed,Mer än ett val för {0} är inte tillåtet,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Betala {0} {1},
 Payable,Betalning sker,
 Payable Account,Betalningskonto,
-Payable Amount,Betalningsbart belopp,
 Payment,Betalning,
 Payment Cancelled. Please check your GoCardless Account for more details,Betalning Avbruten. Kontrollera ditt GoCardless-konto för mer information,
 Payment Confirmation,Betalningsbekräftelse,
-Payment Date,Betalningsdag,
 Payment Days,Betalningsdagar,
 Payment Document,betalning Dokument,
 Payment Due Date,Förfallodag,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,Ange inköpskvitto först,
 Please enter Receipt Document,Ange Kvitto Dokument,
 Please enter Reference date,Ange Referensdatum,
-Please enter Repayment Periods,Ange återbetalningstider,
 Please enter Reqd by Date,Vänligen ange Reqd by Date,
 Please enter Woocommerce Server URL,Vänligen ange webbadress för WoCommerce Server,
 Please enter Write Off Account,Ange avskrivningskonto,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,Ange huvud kostnadsställe,
 Please enter quantity for Item {0},Vänligen ange antal förpackningar för artikel {0},
 Please enter relieving date.,Ange avlösningsdatum.,
-Please enter repayment Amount,Ange återbetalningsbeloppet,
 Please enter valid Financial Year Start and End Dates,Ange ett giltigt räkenskapsåret start- och slutdatum,
 Please enter valid email address,Ange giltig e-postadress,
 Please enter {0} first,Ange {0} först,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Prissättning Regler ytterligare filtreras baserat på kvantitet.,
 Primary Address Details,Primär adressuppgifter,
 Primary Contact Details,Primär kontaktuppgifter,
-Principal Amount,Kapitalbelopp,
 Print Format,Utskriftsformat,
 Print IRS 1099 Forms,Skriv ut IRS 1099-formulär,
 Print Report Card,Skriv ut rapportkort,
@@ -2550,7 +2538,6 @@
 Sample Collection,Provsamling,
 Sample quantity {0} cannot be more than received quantity {1},Provkvantitet {0} kan inte vara mer än mottagen kvantitet {1},
 Sanctioned,sanktionerade,
-Sanctioned Amount,Sanktionerade Belopp,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanktionerade Belopp kan inte vara större än fordringsbelopp i raden {0}.,
 Sand,Sand,
 Saturday,Lördag,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} har redan en överordnad procedur {1}.,
 API,API,
 Annual,Årlig,
-Approved,Godkänd,
 Change,Byta,
 Contact Email,Kontakt E-Post,
 Export Type,Exportera typ,
@@ -3571,7 +3557,6 @@
 Account Value,Kontovärde,
 Account is mandatory to get payment entries,Kontot är obligatoriskt för att få inbetalningar,
 Account is not set for the dashboard chart {0},Kontot är inte inställt för instrumentpanelen {0},
-Account {0} does not belong to company {1},Kontot {0} tillhör inte ett företag {1},
 Account {0} does not exists in the dashboard chart {1},Kontot {0} finns inte i översiktsdiagrammet {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Konto: <b>{0}</b> är kapital Arbetet pågår och kan inte uppdateras av Journal Entry,
 Account: {0} is not permitted under Payment Entry,Konto: {0} är inte tillåtet enligt betalningsinmatning,
@@ -3582,7 +3567,6 @@
 Activity,Aktivitet,
 Add / Manage Email Accounts.,Lägg till / Hantera e-postkonton.,
 Add Child,Lägg till underval,
-Add Loan Security,Lägg till säkerhetslån,
 Add Multiple,Lägg till flera,
 Add Participants,Lägg till deltagare,
 Add to Featured Item,Lägg till den utvalda artikeln,
@@ -3593,15 +3577,12 @@
 Address Line 1,Adress Linje 1,
 Addresses,Adresser,
 Admission End Date should be greater than Admission Start Date.,Slutdatum för antagning bör vara större än startdatum för antagning.,
-Against Loan,Mot lån,
-Against Loan:,Mot lån:,
 All,Allt,
 All bank transactions have been created,Alla banktransaktioner har skapats,
 All the depreciations has been booked,Alla avskrivningar har bokats,
 Allocation Expired!,Tilldelningen har gått ut!,
 Allow Resetting Service Level Agreement from Support Settings.,Tillåt återställning av servicenivåavtal från supportinställningar.,
 Amount of {0} is required for Loan closure,Beloppet {0} krävs för lånets stängning,
-Amount paid cannot be zero,Betalt belopp kan inte vara noll,
 Applied Coupon Code,Tillämpad kupongkod,
 Apply Coupon Code,Tillämpa kupongkod,
 Appointment Booking,Bokning av möten,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,Det går inte att beräkna ankomsttiden eftersom förarens adress saknas.,
 Cannot Optimize Route as Driver Address is Missing.,Kan inte optimera rutten eftersom förarens adress saknas.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Kan inte slutföra uppgift {0} eftersom dess beroende uppgift {1} inte är kompletterade / avbrutna.,
-Cannot create loan until application is approved,Kan inte skapa lån förrän ansökan har godkänts,
 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}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Det går inte att överbeställa för artikel {0} i rad {1} mer än {2}. För att tillåta överfakturering, ange tillåtelse i Kontoinställningar",
 "Capacity Planning Error, planned start time can not be same as end time","Kapacitetsplaneringsfel, planerad starttid kan inte vara samma som sluttid",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Mindre än belopp,
 Liabilities,Skulder,
 Loading...,Laddar ...,
-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,
 Loan Applications from customers and employees.,Låneansökningar från kunder och anställda.,
-Loan Disbursement,Lånutbetalning,
 Loan Processes,Låneprocesser,
-Loan Security,Lånsäkerhet,
-Loan Security Pledge,Lånesäkerhetslöfte,
-Loan Security Pledge Created : {0},Lånesäkerhetslöfte skapad: {0},
-Loan Security Price,Lånesäkerhetspris,
-Loan Security Price overlapping with {0},Lånesäkerhetspris som överlappar med {0},
-Loan Security Unpledge,Lånesäkerhet unpledge,
-Loan Security Value,Lånesäkerhetsvärde,
 Loan Type for interest and penalty rates,Låntyp för ränta och straff,
-Loan amount cannot be greater than {0},Lånebeloppet kan inte vara större än {0},
-Loan is mandatory,Lån är obligatoriskt,
 Loans,lån,
 Loans provided to customers and employees.,Lån till kunder och anställda.,
 Location,Läge,
@@ -3894,7 +3863,6 @@
 Pay,Betala,
 Payment Document Type,Betalningsdokumenttyp,
 Payment Name,Betalningsnamn,
-Penalty Amount,Straffbelopp,
 Pending,Väntar,
 Performance,Prestanda,
 Period based On,Period baserat på,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,Logga in som Marketplace-användare för att redigera den här artikeln.,
 Please login as a Marketplace User to report this item.,Logga in som Marketplace-användare för att rapportera detta objekt.,
 Please select <b>Template Type</b> to download template,Välj <b>malltyp för</b> att ladda ner mallen,
-Please select Applicant Type first,Välj först sökande,
 Please select Customer first,Välj kund först,
 Please select Item Code first,Välj först artikelkod,
-Please select Loan Type for company {0},Välj lånetyp för företag {0},
 Please select a Delivery Note,Välj en leveransanteckning,
 Please select a Sales Person for item: {0},Välj en säljare för artikeln: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Välj en annan betalningsmetod. Stripe stöder inte transaktioner i valuta &quot;{0}&quot;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Ställ in ett standardkonto för företag {0},
 Please specify,Vänligen specificera,
 Please specify a {0},Vänligen ange en {0},lead
-Pledge Status,Pantstatus,
-Pledge Time,Panttid,
 Printing,Tryckning,
 Priority,Prioritet,
 Priority has been changed to {0}.,Prioritet har ändrats till {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Bearbetar XML-filer,
 Profitability,lönsamhet,
 Project,Projekt,
-Proposed Pledges are mandatory for secured Loans,Föreslagna pantsättningar är obligatoriska för säkrade lån,
 Provide the academic year and set the starting and ending date.,Ange läsåret och ange start- och slutdatum.,
 Public token is missing for this bank,Offentligt symbol saknas för denna bank,
 Publish,Publicera,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Köpskvitto har inget objekt som behåller provet är aktiverat för.,
 Purchase Return,bara Return,
 Qty of Finished Goods Item,Antal färdigvaror,
-Qty or Amount is mandatroy for loan security,Antal eller belopp är obligatoriskt för lånets säkerhet,
 Quality Inspection required for Item {0} to submit,Kvalitetskontroll krävs för att artikel {0} ska skickas in,
 Quantity to Manufacture,Kvantitet att tillverka,
 Quantity to Manufacture can not be zero for the operation {0},Antalet tillverkning kan inte vara noll för operationen {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Relief-datum måste vara större än eller lika med Datum för anslutning,
 Rename,Byt namn,
 Rename Not Allowed,Byt namn inte tillåtet,
-Repayment Method is mandatory for term loans,Återbetalningsmetod är obligatorisk för lån,
-Repayment Start Date is mandatory for term loans,Startdatum för återbetalning är obligatoriskt för lån,
 Report Item,Rapportera objekt,
 Report this Item,Rapportera det här objektet,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Reserverad antal för underleverantörer: Råvarukvantitet för att tillverka underleverantörer.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Rad ({0}): {1} är redan rabatterad i {2},
 Rows Added in {0},Rader tillagda i {0},
 Rows Removed in {0},Rader tas bort i {0},
-Sanctioned Amount limit crossed for {0} {1},Sanktionerad beloppgräns för {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},Sanktionerat lånebelopp finns redan för {0} mot företag {1},
 Save,Spara,
 Save Item,Spara objekt,
 Saved Items,Sparade objekt,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Användare {0} är inaktiverad,
 Users and Permissions,Användare och behörigheter,
 Vacancies cannot be lower than the current openings,Lediga platser kan inte vara lägre än nuvarande öppningar,
-Valid From Time must be lesser than Valid Upto Time.,Giltig från tid måste vara mindre än giltig fram till tid.,
 Valuation Rate required for Item {0} at row {1},Värderingsgrad krävs för artikel {0} i rad {1},
 Values Out Of Sync,Värden utan synk,
 Vehicle Type is required if Mode of Transport is Road,Fordonstyp krävs om transportläget är väg,
@@ -4211,7 +4168,6 @@
 Add to Cart,Lägg till i kundvagn,
 Days Since Last Order,Dagar sedan förra beställningen,
 In Stock,I lager,
-Loan Amount is mandatory,Lånebelopp är obligatoriskt,
 Mode Of Payment,Betalningssätt,
 No students Found,Inga studenter hittades,
 Not in Stock,Inte i lager,
@@ -4240,7 +4196,6 @@
 Group by,Gruppera efter,
 In stock,I lager,
 Item name,Produktnamn,
-Loan amount is mandatory,Lånebelopp är obligatoriskt,
 Minimum Qty,Minsta antal,
 More details,Fler detaljer,
 Nature of Supplies,Typ av tillbehör,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Totalt slutfört antal,
 Qty to Manufacture,Antal att tillverka,
 Repay From Salary can be selected only for term loans,Återbetalning från lön kan endast väljas för långfristiga lån,
-No valid Loan Security Price found for {0},Inget giltigt lånesäkerhetspris hittades för {0},
-Loan Account and Payment Account cannot be same,Lånekontot och betalkontot kan inte vara desamma,
-Loan Security Pledge can only be created for secured loans,Lånsäkerhetspant kan endast skapas för säkrade lån,
 Social Media Campaigns,Sociala mediekampanjer,
 From Date can not be greater than To Date,Från datum kan inte vara större än till datum,
 Please set a Customer linked to the Patient,Ange en kund som är länkad till patienten,
@@ -6437,7 +6389,6 @@
 HR User,HR-Konto,
 Appointment Letter,Mötesbrev,
 Job Applicant,Arbetssökande,
-Applicant Name,Sökandes Namn,
 Appointment Date,Utnämningsdagen,
 Appointment Letter Template,Utnämningsbrevmall,
 Body,Kropp,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Synkronisera pågår,
 Hub Seller Name,Hubb Säljarens namn,
 Custom Data,Anpassade data,
-Member,Medlem,
-Partially Disbursed,delvis Utbetalt,
-Loan Closure Requested,Lånestängning begärdes,
 Repay From Salary,Repay från Lön,
-Loan Details,Loan Detaljer,
-Loan Type,lånetyp,
-Loan Amount,Lånebelopp,
-Is Secured Loan,Är säkrat lån,
-Rate of Interest (%) / Year,Hastighet av intresse (%) / år,
-Disbursement Date,utbetalning Datum,
-Disbursed Amount,Utbetalat belopp,
-Is Term Loan,Är terminlån,
-Repayment Method,återbetalning Metod,
-Repay Fixed Amount per Period,Återbetala fast belopp per period,
-Repay Over Number of Periods,Repay Över Antal perioder,
-Repayment Period in Months,Återbetalning i månader,
-Monthly Repayment Amount,Månatliga återbetalningen belopp,
-Repayment Start Date,Återbetalning Startdatum,
-Loan Security Details,Lånesäkerhetsdetaljer,
-Maximum Loan Value,Maximal lånevärde,
-Account Info,Kontoinformation,
-Loan Account,Lånekonto,
-Interest Income Account,Ränteintäkter Account,
-Penalty Income Account,Penninginkontokonto,
-Repayment Schedule,återbetalningsplan,
-Total Payable Amount,Total Betalbelopp,
-Total Principal Paid,Totalt huvudsakligt betalt,
-Total Interest Payable,Total ränta,
-Total Amount Paid,Summa Betald Betalning,
-Loan Manager,Lånchef,
-Loan Info,Loan info,
-Rate of Interest,RÄNTEFOT,
-Proposed Pledges,Föreslagna pantsättningar,
-Maximum Loan Amount,Maximala lånebeloppet,
-Repayment Info,återbetalning info,
-Total Payable Interest,Totalt betalas ränta,
-Against Loan ,Mot lån,
-Loan Interest Accrual,Låneränta,
-Amounts,Belopp,
-Pending Principal Amount,Väntande huvudbelopp,
-Payable Principal Amount,Betalningsbart huvudbelopp,
-Paid Principal Amount,Betalt huvudbelopp,
-Paid Interest Amount,Betalt räntebelopp,
-Process Loan Interest Accrual,Processlån Ränteöverföring,
-Repayment Schedule Name,Namn på återbetalningsschema,
 Regular Payment,Regelbunden betalning,
 Loan Closure,Lånestängning,
-Payment Details,Betalningsinformation,
-Interest Payable,Betalningsränta,
-Amount Paid,Betald Summa,
-Principal Amount Paid,Huvudbelopp som betalats,
-Repayment Details,Återbetalningsinformation,
-Loan Repayment Detail,Detalj för återbetalning av lån,
-Loan Security Name,Lånsäkerhetsnamn,
-Unit Of Measure,Måttenhet,
-Loan Security Code,Lånesäkerhetskod,
-Loan Security Type,Lånsäkerhetstyp,
-Haircut %,Frisyr %,
-Loan  Details,Lånedetaljer,
-Unpledged,Unpledged,
-Pledged,Ställda,
-Partially Pledged,Delvis pantsatt,
-Securities,värdepapper,
-Total Security Value,Totalt säkerhetsvärde,
-Loan Security Shortfall,Lånsäkerhetsbrist,
-Loan ,Lån,
-Shortfall Time,Bristtid,
-America/New_York,America / New_York,
-Shortfall Amount,Bristbelopp,
-Security Value ,Säkerhetsvärde,
-Process Loan Security Shortfall,Process Säkerhetsbrist,
-Loan To Value Ratio,Lån till värde,
-Unpledge Time,Unpledge Time,
-Loan Name,Loan Namn,
 Rate of Interest (%) Yearly,Hastighet av intresse (%) Årlig,
-Penalty Interest Rate (%) Per Day,Straffränta (%) per dag,
-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,
-Grace Period in Days,Nådeperiod i dagar,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,Antal dagar från förfallodagen till dess att böter inte debiteras vid försenad återbetalning av lån,
-Pledge,Lova,
-Post Haircut Amount,Efter hårklippsmängd,
-Process Type,Process typ,
-Update Time,Uppdaterings tid,
-Proposed Pledge,Föreslagen pantsättning,
-Total Payment,Total betalning,
-Balance Loan Amount,Balans lånebelopp,
-Is Accrued,Är upplupna,
 Salary Slip Loan,Lönebetalningslån,
 Loan Repayment Entry,Lånet återbetalning post,
-Sanctioned Loan Amount,Sanktionerat lånebelopp,
-Sanctioned Amount Limit,Sanktionerad beloppgräns,
-Unpledge,Unpledge,
-Haircut,Frisyr,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Generera Schema,
 Schedules,Scheman,
@@ -7885,7 +7749,6 @@
 Update Series,Uppdatera Serie,
 Change the starting / current sequence number of an existing series.,Ändra start / aktuella sekvensnumret av en befintlig serie.,
 Prefix,Prefix,
-Current Value,Nuvarande Värde,
 This is the number of the last created transaction with this prefix,Detta är numret på den senast skapade transaktionen med detta prefix,
 Update Series Number,Uppdatera Serie Nummer,
 Quotation Lost Reason,Anledning förlorad Offert,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Produktvis Rekommenderad Ombeställningsnivå,
 Lead Details,Prospekt Detaljer,
 Lead Owner Efficiency,Effektivitet hos ledningsägaren,
-Loan Repayment and Closure,Lånåterbetalning och stängning,
-Loan Security Status,Lånsäkerhetsstatus,
 Lost Opportunity,Förlorad möjlighet,
 Maintenance Schedules,Underhålls scheman,
 Material Requests for which Supplier Quotations are not created,Material Begäran för vilka leverantörsofferter är inte skapade,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Räknade mål: {0},
 Payment Account is mandatory,Betalningskonto är obligatoriskt,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.",Om det är markerat kommer hela beloppet att dras av från beskattningsbar inkomst innan inkomstskatt beräknas utan någon förklaring eller bevis.,
-Disbursement Details,Utbetalningsdetaljer,
 Material Request Warehouse,Materialförfrågningslager,
 Select warehouse for material requests,Välj lager för materialförfrågningar,
 Transfer Materials For Warehouse {0},Överför material för lager {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Återbetala obefogat belopp från lönen,
 Deduction from salary,Avdrag från lön,
 Expired Leaves,Utgångna löv,
-Reference No,referensnummer,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,Hårklippningsprocent är den procentuella skillnaden mellan marknadsvärdet på lånets säkerhet och det värde som tillskrivs lånets säkerhet när det används som säkerhet för det lånet.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,Loan To Value Ratio uttrycker förhållandet mellan lånebeloppet och värdet av den pantsatta säkerheten. Ett lånesäkerhetsbrist utlöses om detta faller under det angivna värdet för ett lån,
 If this is not checked the loan by default will be considered as a Demand Loan,Om detta inte är markerat kommer lånet som standard att betraktas som ett efterfrågelån,
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Detta konto används för bokning av återbetalningar av lån från låntagaren och för utbetalning av lån till låntagaren,
 This account is capital account which is used to allocate capital for loan disbursal account ,Det här kontot är ett kapitalkonto som används för att fördela kapital för lånekonto,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Åtgärd {0} tillhör inte arbetsordern {1},
 Print UOM after Quantity,Skriv UOM efter kvantitet,
 Set default {0} account for perpetual inventory for non stock items,Ange standardkonto för {0} för bestående lager för icke-lagervaror,
-Loan Security {0} added multiple times,Lånesäkerhet {0} har lagts till flera gånger,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Lånepapper med olika belåningsgrad kan inte pantsättas mot ett lån,
-Qty or Amount is mandatory for loan security!,Antal eller belopp är obligatoriskt för lånesäkerhet!,
-Only submittted unpledge requests can be approved,Endast inlämnade begäranden om icke-pant kan godkännas,
-Interest Amount or Principal Amount is mandatory,Räntebelopp eller huvudbelopp är obligatoriskt,
-Disbursed Amount cannot be greater than {0},Utbetalt belopp får inte vara större än {0},
-Row {0}: Loan Security {1} added multiple times,Rad {0}: Lånesäkerhet {1} har lagts till flera gånger,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Rad # {0}: Underordnad artikel ska inte vara ett produktpaket. Ta bort objekt {1} och spara,
 Credit limit reached for customer {0},Kreditgränsen har uppnåtts för kunden {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Kunde inte automatiskt skapa kund på grund av följande obligatoriska fält saknas:,
diff --git a/erpnext/translations/sw.csv b/erpnext/translations/sw.csv
index 7077810..d53492f 100644
--- a/erpnext/translations/sw.csv
+++ b/erpnext/translations/sw.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Inatumika ikiwa kampuni ni SpA, SApA au SRL",
 Applicable if the company is a limited liability company,Inatumika ikiwa kampuni ni kampuni ya dhima ndogo,
 Applicable if the company is an Individual or a Proprietorship,Inatumika ikiwa kampuni ni ya Mtu binafsi au Proprietorship,
-Applicant,Mwombaji,
-Applicant Type,Aina ya Msaidizi,
 Application of Funds (Assets),Matumizi ya Fedha (Mali),
 Application period cannot be across two allocation records,Kipindi cha maombi haiwezi kuwa rekodi mbili za ugawaji,
 Application period cannot be outside leave allocation period,Kipindi cha maombi hawezi kuwa nje ya kipindi cha ugawaji wa kuondoka,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Orodha ya Washiriki waliopatikana na namba za folio,
 Loading Payment System,Inapakia Mfumo wa Malipo,
 Loan,Mikopo,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Kiasi cha Mkopo hawezi kuzidi Kiwango cha Mikopo ya Upeo wa {0},
-Loan Application,Maombi ya Mikopo,
-Loan Management,Usimamizi wa Mikopo,
-Loan Repayment,Malipo ya kulipia,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Tarehe ya Kuanza mkopo na Kipindi cha Mkopo ni lazima ili kuokoa Upunguzaji wa ankara,
 Loans (Liabilities),Mikopo (Madeni),
 Loans and Advances (Assets),Mikopo na Maendeleo (Mali),
@@ -1611,7 +1605,6 @@
 Monday,Jumatatu,
 Monthly,Kila mwezi,
 Monthly Distribution,Usambazaji wa kila mwezi,
-Monthly Repayment Amount cannot be greater than Loan Amount,Kiwango cha Ushuru wa kila mwezi hawezi kuwa kubwa kuliko Kiwango cha Mikopo,
 More,Zaidi,
 More Information,Taarifa zaidi,
 More than one selection for {0} not allowed,Zaidi ya chaguo moja kwa {0} hairuhusiwi,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Kulipa {0} {1},
 Payable,Inalipwa,
 Payable Account,Akaunti ya kulipa,
-Payable Amount,Kiasi kinacholipwa,
 Payment,Malipo,
 Payment Cancelled. Please check your GoCardless Account for more details,Malipo Imepigwa. Tafadhali angalia Akaunti yako ya GoCardless kwa maelezo zaidi,
 Payment Confirmation,Uthibitishaji wa Malipo,
-Payment Date,Tarehe ya Malipo,
 Payment Days,Siku za Malipo,
 Payment Document,Hati ya Malipo,
 Payment Due Date,Tarehe ya Kutayarisha Malipo,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,Tafadhali ingiza Receipt ya Ununuzi kwanza,
 Please enter Receipt Document,Tafadhali ingiza Hati ya Receipt,
 Please enter Reference date,Tafadhali ingiza tarehe ya Marejeo,
-Please enter Repayment Periods,Tafadhali ingiza Kipindi cha Malipo,
 Please enter Reqd by Date,Tafadhali ingiza Reqd kwa Tarehe,
 Please enter Woocommerce Server URL,Tafadhali ingiza URL ya Woocommerce Server,
 Please enter Write Off Account,Tafadhali ingiza Akaunti ya Kuandika Akaunti,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,Tafadhali ingiza kituo cha gharama ya wazazi,
 Please enter quantity for Item {0},Tafadhali ingiza kiasi cha Bidhaa {0},
 Please enter relieving date.,Tafadhali ingiza tarehe ya kufuta.,
-Please enter repayment Amount,Tafadhali ingiza Kiwango cha kulipa,
 Please enter valid Financial Year Start and End Dates,Tafadhali ingiza Msaada wa Mwaka wa Fedha na Mwisho wa Tarehe,
 Please enter valid email address,Tafadhali ingiza anwani ya barua pepe halali,
 Please enter {0} first,Tafadhali ingiza {0} kwanza,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Kanuni za bei ni zilizochujwa zaidi kulingana na wingi.,
 Primary Address Details,Maelezo ya Anwani ya Msingi,
 Primary Contact Details,Maelezo ya Mawasiliano ya Msingi,
-Principal Amount,Kiasi kikubwa,
 Print Format,Fomu ya Kuchapa,
 Print IRS 1099 Forms,Chapisha Fomu za IRS 1099,
 Print Report Card,Kadi ya Ripoti ya Kuchapa,
@@ -2550,7 +2538,6 @@
 Sample Collection,Mkusanyiko wa Mfano,
 Sample quantity {0} cannot be more than received quantity {1},Mfano wa wingi {0} hauwezi kuwa zaidi ya kupokea kiasi {1},
 Sanctioned,Imeteuliwa,
-Sanctioned Amount,Kizuizi,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Kizuizi cha Hesabu haiwezi kuwa kikubwa kuliko Kiasi cha Madai katika Row {0}.,
 Sand,Mchanga,
 Saturday,Jumamosi,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} tayari ina Utaratibu wa Mzazi {1}.,
 API,API,
 Annual,Kila mwaka,
-Approved,Imekubaliwa,
 Change,Badilisha,
 Contact Email,Mawasiliano ya barua pepe,
 Export Type,Aina ya Nje,
@@ -3571,7 +3557,6 @@
 Account Value,Thamani ya Akaunti,
 Account is mandatory to get payment entries,Akaunti ni ya lazima kupata barua za malipo,
 Account is not set for the dashboard chart {0},Akaunti haijawekwa kwa chati ya dashibodi {0},
-Account {0} does not belong to company {1},Akaunti {0} sio ya kampuni {1},
 Account {0} does not exists in the dashboard chart {1},Akaunti {0} haipo kwenye chati ya dashibodi {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Akaunti: <b>{0}</b> ni mtaji wa Kazi unaendelea na hauwezi kusasishwa na Ingizo la Jarida,
 Account: {0} is not permitted under Payment Entry,Akaunti: {0} hairuhusiwi chini ya malipo ya Malipo,
@@ -3582,7 +3567,6 @@
 Activity,Shughuli,
 Add / Manage Email Accounts.,Ongeza / Dhibiti Akaunti za Barua pepe.,
 Add Child,Ongeza Mtoto,
-Add Loan Security,Ongeza Usalama wa Mkopo,
 Add Multiple,Ongeza Multiple,
 Add Participants,Ongeza Washiriki,
 Add to Featured Item,Ongeza kwa Bidhaa Iliyoangaziwa,
@@ -3593,15 +3577,12 @@
 Address Line 1,Anwani ya Anwani 1,
 Addresses,Anwani,
 Admission End Date should be greater than Admission Start Date.,Tarehe ya Mwisho ya Kuandikishwa inapaswa kuwa kubwa kuliko Tarehe ya Kuanza kuandikishwa.,
-Against Loan,Dhidi ya Mkopo,
-Against Loan:,Dhidi ya Mkopo:,
 All,ZOTE,
 All bank transactions have been created,Uuzaji wote wa benki umeundwa,
 All the depreciations has been booked,Uchakavu wote umehifadhiwa,
 Allocation Expired!,Ugawaji Umemalizika!,
 Allow Resetting Service Level Agreement from Support Settings.,Ruhusu Kurudisha Mkataba wa Kiwango cha Huduma kutoka kwa Mipangilio ya Msaada.,
 Amount of {0} is required for Loan closure,Kiasi cha {0} inahitajika kwa kufungwa kwa Mkopo,
-Amount paid cannot be zero,Kiasi kinacholipwa hakiwezi kuwa sifuri,
 Applied Coupon Code,Nambari ya Coupon iliyotumiwa,
 Apply Coupon Code,Tuma Nambari ya Coupon,
 Appointment Booking,Uteuzi wa Uteuzi,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,Huwezi kuhesabu Wakati wa Kufika kwani Anwani ya Dereva inakosekana.,
 Cannot Optimize Route as Driver Address is Missing.,Haiwezi Kuboresha Njia kama Anwani ya Dereva inakosekana.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Haiwezi kukamilisha kazi {0} kama kazi yake tegemezi {1} haijakamilishwa / imefutwa.,
-Cannot create loan until application is approved,Haiwezi kuunda mkopo hadi programu itakapokubaliwa,
 Cannot find a matching Item. Please select some other value for {0}.,Haiwezi kupata kitu kinachofanana. Tafadhali chagua thamani nyingine ya {0}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Haiwezi kulipiza zaidi ya Bidhaa {0} katika safu {1} zaidi ya {2}. Kuruhusu malipo ya juu, tafadhali weka posho katika Mipangilio ya Akaunti",
 "Capacity Planning Error, planned start time can not be same as end time","Kosa la kupanga uwezo, wakati wa kuanza uliopangwa hauwezi kuwa sawa na wakati wa mwisho",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Chini ya Kiasi,
 Liabilities,Madeni,
 Loading...,Inapakia ...,
-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,
 Loan Applications from customers and employees.,Maombi ya mkopo kutoka kwa wateja na wafanyikazi.,
-Loan Disbursement,Utoaji wa mkopo,
 Loan Processes,Michakato ya mkopo,
-Loan Security,Usalama wa Mkopo,
-Loan Security Pledge,Ahadi ya Usalama wa Mkopo,
-Loan Security Pledge Created : {0},Ahadi ya Usalama wa Mkopo Imeundwa: {0},
-Loan Security Price,Bei ya Usalama wa Mkopo,
-Loan Security Price overlapping with {0},Bei ya Mikopo ya Usalama inayoingiliana na {0},
-Loan Security Unpledge,Mkopo Usalama Ahadi,
-Loan Security Value,Thamani ya Usalama ya Mkopo,
 Loan Type for interest and penalty rates,Aina ya mkopo kwa viwango vya riba na adhabu,
-Loan amount cannot be greater than {0},Kiasi cha mkopo hakiwezi kuwa kubwa kuliko {0},
-Loan is mandatory,Mkopo ni wa lazima,
 Loans,Mikopo,
 Loans provided to customers and employees.,Mikopo iliyopewa wateja na wafanyikazi.,
 Location,Eneo,
@@ -3894,7 +3863,6 @@
 Pay,Kulipa,
 Payment Document Type,Aina ya Hati ya malipo,
 Payment Name,Jina la malipo,
-Penalty Amount,Kiasi cha Adhabu,
 Pending,Inasubiri,
 Performance,Utendaji,
 Period based On,Kipindi kinachozingatia,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,Tafadhali ingia kama Mtumiaji wa Soko ili kuhariri kipengee hiki.,
 Please login as a Marketplace User to report this item.,Tafadhali ingia kama Mtumiaji wa Soko ili kuripoti bidhaa hii.,
 Please select <b>Template Type</b> to download template,Tafadhali chagua <b>Aina</b> ya Kiolezo kupakua templeti,
-Please select Applicant Type first,Tafadhali chagua aina ya Mwombaji kwanza,
 Please select Customer first,Tafadhali chagua Mteja kwanza,
 Please select Item Code first,Tafadhali chagua Nambari ya Bidhaa kwanza,
-Please select Loan Type for company {0},Tafadhali chagua Aina ya Mkopo kwa kampuni {0},
 Please select a Delivery Note,Tafadhali chagua Ujumbe wa Uwasilishaji,
 Please select a Sales Person for item: {0},Tafadhali chagua Mtu wa Uuzaji kwa bidhaa: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Tafadhali chagua njia nyingine ya malipo. Stripe haiunga mkono shughuli za fedha &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Tafadhali sasisha akaunti ya benki ya msingi ya kampuni {0},
 Please specify,Tafadhali fafanua,
 Please specify a {0},Tafadhali taja {0},lead
-Pledge Status,Hali ya Ahadi,
-Pledge Time,Wakati wa Ahadi,
 Printing,Uchapishaji,
 Priority,Kipaumbele,
 Priority has been changed to {0}.,Kipaumbele kimebadilishwa kuwa {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Inasindika faili za XML,
 Profitability,Faida,
 Project,Mradi,
-Proposed Pledges are mandatory for secured Loans,Ahadi zilizopendekezwa ni za lazima kwa Mikopo iliyohifadhiwa,
 Provide the academic year and set the starting and ending date.,Toa mwaka wa masomo na weka tarehe ya kuanza na kumalizia.,
 Public token is missing for this bank,Baina ya umma haipo kwenye benki hii,
 Publish,Kuchapisha,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Risiti ya Ununuzi haina Bidhaa yoyote ambayo Sampuli ya Uwezeshaji imewashwa.,
 Purchase Return,Ununuzi wa Kurudisha,
 Qty of Finished Goods Item,Qty ya Bidhaa iliyokamilishwa Bidhaa,
-Qty or Amount is mandatroy for loan security,Qty au Kiasi ni jukumu la usalama wa mkopo,
 Quality Inspection required for Item {0} to submit,Ukaguzi wa Ubora unahitajika kwa Bidhaa {0} kuwasilisha,
 Quantity to Manufacture,Kiasi cha kutengeneza,
 Quantity to Manufacture can not be zero for the operation {0},Wingi wa utengenezaji hauwezi kuwa sifuri kwa operesheni {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Tarehe ya Kuachana lazima iwe kubwa kuliko au sawa na Tarehe ya Kujiunga,
 Rename,Badilisha tena,
 Rename Not Allowed,Badili jina Hairuhusiwi,
-Repayment Method is mandatory for term loans,Njia ya Kurudisha ni lazima kwa mikopo ya muda mrefu,
-Repayment Start Date is mandatory for term loans,Tarehe ya kuanza Kulipa ni lazima kwa mkopo wa muda mrefu,
 Report Item,Ripoti Jambo,
 Report this Item,Ripoti kipengee hiki,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Qty iliyohifadhiwa kwa Subcontract: Wingi wa vifaa vya malighafi kutengeneza vitu vilivyodhibitiwa.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Njia ({0}): {1} tayari imepunguzwa katika {2},
 Rows Added in {0},Mizizi Zimeongezwa katika {0},
 Rows Removed in {0},Safu zimeondolewa katika {0},
-Sanctioned Amount limit crossed for {0} {1},Kiwango cha Kuidhinishwa kimevuka kwa {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},Kiwango cha Mkopo kilichoidhinishwa tayari kinapatikana kwa {0} dhidi ya kampuni {1},
 Save,Hifadhi,
 Save Item,Hifadhi kipengee,
 Saved Items,Vitu vilivyohifadhiwa,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Mtumiaji {0} amezimwa,
 Users and Permissions,Watumiaji na Ruhusa,
 Vacancies cannot be lower than the current openings,Nafasi haziwezi kuwa chini kuliko fursa za sasa,
-Valid From Time must be lesser than Valid Upto Time.,Inayotumika Kutoka kwa wakati lazima iwe chini ya Wakati Unaofaa wa Upto.,
 Valuation Rate required for Item {0} at row {1},Kiwango cha hesabu inahitajika kwa Bidhaa {0} katika safu {1},
 Values Out Of Sync,Thamani Kati ya Usawazishaji,
 Vehicle Type is required if Mode of Transport is Road,Aina ya Gari inahitajika ikiwa Njia ya Usafiri ni Barabara,
@@ -4211,7 +4168,6 @@
 Add to Cart,Ongeza kwenye Cart,
 Days Since Last Order,Siku Tangu Agizo la Mwisho,
 In Stock,Katika Stock,
-Loan Amount is mandatory,Kiasi cha mkopo ni lazima,
 Mode Of Payment,Mfumo wa Malipo,
 No students Found,Hakuna wanafunzi aliyepatikana,
 Not in Stock,Sio katika Hifadhi,
@@ -4240,7 +4196,6 @@
 Group by,Kikundi Kwa,
 In stock,Katika hisa,
 Item name,Jina la Kipengee,
-Loan amount is mandatory,Kiasi cha mkopo ni lazima,
 Minimum Qty,Uchina cha Chini,
 More details,Maelezo zaidi,
 Nature of Supplies,Hali ya Ugavi,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Jumla ya Qty iliyokamilishwa,
 Qty to Manufacture,Uchina Ili Kufanya,
 Repay From Salary can be selected only for term loans,Kulipa Kutoka kwa Mshahara kunaweza kuchaguliwa tu kwa mkopo wa muda,
-No valid Loan Security Price found for {0},Hakuna Bei halali ya Usalama ya Mkopo iliyopatikana kwa {0},
-Loan Account and Payment Account cannot be same,Akaunti ya Mkopo na Akaunti ya Malipo haziwezi kuwa sawa,
-Loan Security Pledge can only be created for secured loans,Ahadi ya Usalama wa Mkopo inaweza tu kuundwa kwa mikopo iliyopatikana,
 Social Media Campaigns,Kampeni za Media Jamii,
 From Date can not be greater than To Date,Kuanzia Tarehe haiwezi kuwa kubwa kuliko Kufikia Tarehe,
 Please set a Customer linked to the Patient,Tafadhali weka Mteja aliyeunganishwa na Mgonjwa,
@@ -6437,7 +6389,6 @@
 HR User,Mtumiaji wa HR,
 Appointment Letter,Barua ya Uteuzi,
 Job Applicant,Mwombaji wa Ayubu,
-Applicant Name,Jina la Msaidizi,
 Appointment Date,Tarehe ya kuteuliwa,
 Appointment Letter Template,Uteuzi wa Barua ya Kiolezo,
 Body,Mwili,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Sawazisha katika Maendeleo,
 Hub Seller Name,Jina la Muuzaji wa Hub,
 Custom Data,Takwimu za Desturi,
-Member,Mwanachama,
-Partially Disbursed,Kutengwa kwa sehemu,
-Loan Closure Requested,Kufungwa kwa Mkopo Kuhitajika,
 Repay From Salary,Malipo kutoka kwa Mshahara,
-Loan Details,Maelezo ya Mikopo,
-Loan Type,Aina ya Mikopo,
-Loan Amount,Kiasi cha Mikopo,
-Is Secured Loan,Imehifadhiwa Mkopo,
-Rate of Interest (%) / Year,Kiwango cha Maslahi (%) / Mwaka,
-Disbursement Date,Tarehe ya Malipo,
-Disbursed Amount,Kiasi cha kutengwa,
-Is Term Loan,Mkopo wa Muda,
-Repayment Method,Njia ya kulipa,
-Repay Fixed Amount per Period,Rejesha Kiasi kilichopangwa kwa Kipindi,
-Repay Over Number of Periods,Rejesha Zaidi ya Kipindi cha Kipindi,
-Repayment Period in Months,Kipindi cha ulipaji kwa Miezi,
-Monthly Repayment Amount,Kiasi cha kulipa kila mwezi,
-Repayment Start Date,Tarehe ya Kuanza Kulipa,
-Loan Security Details,Maelezo ya Usalama wa Mkopo,
-Maximum Loan Value,Thamani ya Mkopo wa kiwango cha juu,
-Account Info,Maelezo ya Akaunti,
-Loan Account,Akaunti ya Mkopo,
-Interest Income Account,Akaunti ya Mapato ya riba,
-Penalty Income Account,Akaunti ya Mapato ya Adhabu,
-Repayment Schedule,Ratiba ya Ulipaji,
-Total Payable Amount,Kiasi Kilivyoteuliwa,
-Total Principal Paid,Jumla ya Jumla Imelipwa,
-Total Interest Payable,Jumla ya Maslahi ya Kulipa,
-Total Amount Paid,Jumla ya Malipo,
-Loan Manager,Meneja wa mkopo,
-Loan Info,Info Loan,
-Rate of Interest,Kiwango cha Maslahi,
-Proposed Pledges,Ahadi zilizopendekezwa,
-Maximum Loan Amount,Kiwango cha Mikopo Kikubwa,
-Repayment Info,Maelezo ya kulipa,
-Total Payable Interest,Jumla ya Maslahi ya kulipa,
-Against Loan ,Dhidi ya Mkopo,
-Loan Interest Accrual,Mkopo wa Riba ya Mkopo,
-Amounts,Viwango,
-Pending Principal Amount,Kiwango cha Kuu kinachosubiri,
-Payable Principal Amount,Kiwango cha kulipwa Kikuu,
-Paid Principal Amount,Kiasi Kikubwa cha Kulipwa,
-Paid Interest Amount,Kiasi cha Riba Inayolipwa,
-Process Loan Interest Accrual,Mchakato wa Kukopesha Riba ya Mkopo,
-Repayment Schedule Name,Jina la Ratiba ya Ulipaji,
 Regular Payment,Malipo ya Mara kwa mara,
 Loan Closure,Kufungwa kwa mkopo,
-Payment Details,Maelezo ya Malipo,
-Interest Payable,Riba Inalipwa,
-Amount Paid,Kiasi kilicholipwa,
-Principal Amount Paid,Kiasi kuu cha kulipwa,
-Repayment Details,Maelezo ya Malipo,
-Loan Repayment Detail,Maelezo ya Ulipaji wa Mkopo,
-Loan Security Name,Jina la Mkopo la Usalama,
-Unit Of Measure,Kitengo cha Upimaji,
-Loan Security Code,Nambari ya Usalama ya Mkopo,
-Loan Security Type,Aina ya Usalama wa Mkopo,
-Haircut %,Kukata nywele,
-Loan  Details,Maelezo ya Mkopo,
-Unpledged,Iliyosahihishwa,
-Pledged,Iliyoahidiwa,
-Partially Pledged,Iliyoahidiwa kwa sehemu,
-Securities,Usalama,
-Total Security Value,Thamani ya Usalama Jumla,
-Loan Security Shortfall,Upungufu wa Usalama wa Mkopo,
-Loan ,Mikopo,
-Shortfall Time,Muda wa mapungufu,
-America/New_York,Amerika / New_York,
-Shortfall Amount,Kiasi cha mapungufu,
-Security Value ,Thamani ya Usalama,
-Process Loan Security Shortfall,Mchakato wa Upungufu wa Usalama wa Mikopo,
-Loan To Value Ratio,Mkopo Ili Kuongeza Thamani,
-Unpledge Time,Kutahidi Wakati,
-Loan Name,Jina la Mikopo,
 Rate of Interest (%) Yearly,Kiwango cha Maslahi (%) Kila mwaka,
-Penalty Interest Rate (%) Per Day,Kiwango cha Riba ya Adhabu (%) Kwa Siku,
-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,
-Grace Period in Days,Kipindi cha Neema katika Siku,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,Idadi ya siku kutoka tarehe ya mwisho hadi ni adhabu gani ambayo haitatozwa ikiwa utachelewesha ulipaji wa mkopo,
-Pledge,Ahadi,
-Post Haircut Amount,Kiasi cha Kukata nywele,
-Process Type,Aina ya Mchakato,
-Update Time,Sasisha Wakati,
-Proposed Pledge,Ahadi Iliyopendekezwa,
-Total Payment,Malipo ya Jumla,
-Balance Loan Amount,Kiwango cha Mikopo,
-Is Accrued,Imeshikwa,
 Salary Slip Loan,Mikopo ya Slip ya Mshahara,
 Loan Repayment Entry,Kuingia kwa Malipo ya Mkopo,
-Sanctioned Loan Amount,Kiwango cha Mkopo ulioidhinishwa,
-Sanctioned Amount Limit,Kikomo cha Kiwango kilichoidhinishwa,
-Unpledge,Haikubali,
-Haircut,Kukata nywele,
 MAT-MSH-.YYYY.-,MAT-MSH -YYYY.-,
 Generate Schedule,Tengeneza Ratiba,
 Schedules,Mipango,
@@ -7885,7 +7749,6 @@
 Update Series,Sasisha Mfululizo,
 Change the starting / current sequence number of an existing series.,Badilisha idadi ya mwanzo / ya sasa ya mlolongo wa mfululizo uliopo.,
 Prefix,Kiambatisho,
-Current Value,Thamani ya sasa,
 This is the number of the last created transaction with this prefix,Huu ndio idadi ya shughuli za mwisho zilizoundwa na kiambishi hiki,
 Update Series Number,Sasisha Nambari ya Mfululizo,
 Quotation Lost Reason,Sababu iliyopoteza Nukuu,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Inemwise Inapendekezwa Mpangilio wa Mpangilio,
 Lead Details,Maelezo ya Kiongozi,
 Lead Owner Efficiency,Ufanisi wa Mmiliki wa Uongozi,
-Loan Repayment and Closure,Ulipaji wa mkopo na kufungwa,
-Loan Security Status,Hali ya Usalama wa Mkopo,
 Lost Opportunity,Fursa Iliyopotea,
 Maintenance Schedules,Mipango ya Matengenezo,
 Material Requests for which Supplier Quotations are not created,Maombi ya nyenzo ambayo Nukuu za Wasambazaji haziumbwa,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Hesabu Zilizolengwa: {0},
 Payment Account is mandatory,Akaunti ya Malipo ni lazima,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Ikikaguliwa, kiwango kamili kitatolewa kutoka kwa mapato yanayopaswa kulipiwa kabla ya kuhesabu ushuru wa mapato bila tamko lolote au uwasilishaji wa ushahidi.",
-Disbursement Details,Maelezo ya Utoaji,
 Material Request Warehouse,Ombi la Ghala la Vifaa,
 Select warehouse for material requests,Chagua ghala kwa maombi ya nyenzo,
 Transfer Materials For Warehouse {0},Vifaa vya Kuhamisha kwa Ghala {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Lipa kiasi ambacho hakijadai kutoka kwa mshahara,
 Deduction from salary,Utoaji kutoka kwa mshahara,
 Expired Leaves,Majani yaliyomalizika,
-Reference No,Rejea Na,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,Asilimia ya kukata nywele ni tofauti ya asilimia kati ya thamani ya soko la Usalama wa Mkopo na thamani iliyopewa Usalama wa Mkopo wakati unatumiwa kama dhamana ya mkopo huo.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,Mkopo Kwa Thamani Uwiano unaonyesha uwiano wa kiasi cha mkopo na thamani ya usalama ulioahidiwa. Upungufu wa usalama wa mkopo utasababishwa ikiwa hii iko chini ya thamani maalum ya mkopo wowote,
 If this is not checked the loan by default will be considered as a Demand Loan,Ikiwa hii haijakaguliwa mkopo kwa chaguo-msingi utazingatiwa kama Mkopo wa Mahitaji,
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Akaunti hii inatumika kwa uhifadhi wa mikopo kutoka kwa akopaye na pia kutoa mikopo kwa akopaye,
 This account is capital account which is used to allocate capital for loan disbursal account ,Akaunti hii ni akaunti kuu ambayo hutumiwa kutenga mtaji kwa akaunti ya utoaji wa mkopo,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Operesheni {0} sio ya agizo la kazi {1},
 Print UOM after Quantity,Chapisha UOM baada ya Wingi,
 Set default {0} account for perpetual inventory for non stock items,Weka akaunti chaguomsingi ya {0} ya hesabu ya kila siku ya vitu visivyo vya hisa,
-Loan Security {0} added multiple times,Usalama wa Mkopo {0} uliongezwa mara kadhaa,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Dhamana za Mkopo zilizo na uwiano tofauti wa LTV haziwezi kuahidiwa dhidi ya mkopo mmoja,
-Qty or Amount is mandatory for loan security!,Bei au Kiasi ni lazima kwa usalama wa mkopo!,
-Only submittted unpledge requests can be approved,Maombi ya kujitolea yaliyowasilishwa tu yanaweza kupitishwa,
-Interest Amount or Principal Amount is mandatory,Kiasi cha Riba au Kiasi Kikubwa ni lazima,
-Disbursed Amount cannot be greater than {0},Kiasi kilichotolewa hakiwezi kuwa kubwa kuliko {0},
-Row {0}: Loan Security {1} added multiple times,Safu mlalo {0}: Usalama wa Mkopo {1} umeongezwa mara kadhaa,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Mstari # {0}: Kipengee cha Mtoto hakipaswi kuwa Kifungu cha Bidhaa. Tafadhali ondoa Bidhaa {1} na Uhifadhi,
 Credit limit reached for customer {0},Kikomo cha mkopo kimefikiwa kwa mteja {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Haikuweza kuunda Wateja kiotomatiki kwa sababu ya uwanja (s) zifuatazo zinazokosekana:,
diff --git a/erpnext/translations/ta.csv b/erpnext/translations/ta.csv
index b63f00e..aa883b4 100644
--- a/erpnext/translations/ta.csv
+++ b/erpnext/translations/ta.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","நிறுவனம் ஸ்பா, சாபா அல்லது எஸ்ஆர்எல் என்றால் பொருந்தும்",
 Applicable if the company is a limited liability company,நிறுவனம் ஒரு வரையறுக்கப்பட்ட பொறுப்பு நிறுவனமாக இருந்தால் பொருந்தும்,
 Applicable if the company is an Individual or a Proprietorship,நிறுவனம் ஒரு தனிநபர் அல்லது உரிமையாளராக இருந்தால் பொருந்தும்,
-Applicant,விண்ணப்பதாரர்,
-Applicant Type,விண்ணப்பதாரர் வகை,
 Application of Funds (Assets),நிதி பயன்பாடு ( சொத்துக்கள் ),
 Application period cannot be across two allocation records,விண்ணப்ப காலம் இரண்டு ஒதுக்கீடு பதிவுகள் முழுவதும் இருக்க முடியாது,
 Application period cannot be outside leave allocation period,விண்ணப்ப காலம் வெளியே விடுப்பு ஒதுக்கீடு காலம் இருக்க முடியாது,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,ஃபோலியோ எண்களுடன் கிடைக்கும் பங்குதாரர்களின் பட்டியல்,
 Loading Payment System,கட்டணம் செலுத்தும் அமைப்பு ஏற்றுகிறது,
 Loan,கடன்,
-Loan Amount cannot exceed Maximum Loan Amount of {0},கடன் தொகை அதிகபட்ச கடன் தொகை தாண்ட முடியாது {0},
-Loan Application,கடன் விண்ணப்பம்,
-Loan Management,கடன் மேலாண்மை,
-Loan Repayment,கடனை திறம்பசெலுத்து,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,விலைப்பட்டியல் தள்ளுபடியைச் சேமிக்க கடன் தொடக்க தேதி மற்றும் கடன் காலம் கட்டாயமாகும்,
 Loans (Liabilities),கடன்கள் ( கடன்),
 Loans and Advances (Assets),கடன்கள் ( சொத்துக்கள் ),
@@ -1611,7 +1605,6 @@
 Monday,திங்கட்கிழமை,
 Monthly,மாதாந்தர,
 Monthly Distribution,மாதாந்திர விநியோகம்,
-Monthly Repayment Amount cannot be greater than Loan Amount,மாதாந்திர கட்டுந்தொகை கடன் தொகை அதிகமாக இருக்கக் கூடாது முடியும்,
 More,அதிக,
 More Information,மேலும் தகவல்,
 More than one selection for {0} not allowed,{0} க்கான ஒன்றுக்கு மேற்பட்ட தேர்வு அனுமதிக்கப்படவில்லை,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},செலுத்து {0} {1},
 Payable,செலுத்த வேண்டிய,
 Payable Account,செலுத்த வேண்டிய கணக்கு,
-Payable Amount,செலுத்த வேண்டிய தொகை,
 Payment,கொடுப்பனவு,
 Payment Cancelled. Please check your GoCardless Account for more details,கட்டணம் ரத்து செய்யப்பட்டது. மேலும் விவரங்களுக்கு உங்கள் GoCardless கணக்கைச் சரிபார்க்கவும்,
 Payment Confirmation,கட்டணம் உறுதிப்படுத்தல்,
-Payment Date,கட்டணம் தேதி,
 Payment Days,கட்டணம் நாட்கள்,
 Payment Document,கொடுப்பனவு ஆவண,
 Payment Due Date,கொடுப்பனவு காரணமாக தேதி,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,முதல் கொள்முதல் ரசீது உள்ளிடவும்,
 Please enter Receipt Document,தயவு செய்து ரசீது ஆவண நுழைய,
 Please enter Reference date,குறிப்பு தேதியை உள்ளிடவும்,
-Please enter Repayment Periods,தயவு செய்து திரும்பச் செலுத்துதல் பீரியட்ஸ் நுழைய,
 Please enter Reqd by Date,தயவுசெய்து தேதியின்படி தேதி சேர்க்கவும்,
 Please enter Woocommerce Server URL,Woocommerce Server URL ஐ உள்ளிடுக,
 Please enter Write Off Account,கணக்கு எழுத உள்ளிடவும்,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,பெற்றோர் செலவு சென்டர் உள்ளிடவும்,
 Please enter quantity for Item {0},பொருள் எண்ணிக்கையை உள்ளிடவும் {0},
 Please enter relieving date.,தேதி நிவாரணத்தில் உள்ளிடவும்.,
-Please enter repayment Amount,தயவு செய்து கடனைத் திரும்பச் செலுத்தும் தொகை நுழைய,
 Please enter valid Financial Year Start and End Dates,செல்லுபடியாகும் நிதி ஆண்டின் தொடக்க மற்றும் முடிவு தேதிகளை உள்ளிடவும்,
 Please enter valid email address,சரியான மின்னஞ்சல் முகவரியை உள்ளிடவும்,
 Please enter {0} first,முதல் {0} உள்ளிடவும்,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,விலை விதிமுறைகள் மேலும் அளவு அடிப்படையில் வடிகட்டப்பட்டு.,
 Primary Address Details,முதன்மை முகவரி விவரம்,
 Primary Contact Details,முதன்மை தொடர்பு விவரங்கள்,
-Principal Amount,அசல் தொகை,
 Print Format,வடிவமைப்பு அச்சிட,
 Print IRS 1099 Forms,ஐஆர்எஸ் 1099 படிவங்களை அச்சிடுங்கள்,
 Print Report Card,அறிக்கை அறிக்கை அட்டை,
@@ -2550,7 +2538,6 @@
 Sample Collection,மாதிரி சேகரிப்பு,
 Sample quantity {0} cannot be more than received quantity {1},மாதிரி அளவு {0} பெறப்பட்ட அளவைவிட அதிகமாக இருக்க முடியாது {1},
 Sanctioned,ஒப்புதல்,
-Sanctioned Amount,ஒப்புதல் தொகை,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ஒப்புதல் தொகை ரோ கூறுகின்றனர் காட்டிலும் அதிகமாக இருக்க முடியாது {0}.,
 Sand,மணல்,
 Saturday,சனிக்கிழமை,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} ஏற்கனவே பெற்றோர் நடைமுறை {1 has ஐக் கொண்டுள்ளது.,
 API,ஏபிஐ,
 Annual,வருடாந்திர,
-Approved,ஏற்பளிக்கப்பட்ட,
 Change,மாற்றம்,
 Contact Email,மின்னஞ்சல் தொடர்பு,
 Export Type,ஏற்றுமதி வகை,
@@ -3571,7 +3557,6 @@
 Account Value,கணக்கு மதிப்பு,
 Account is mandatory to get payment entries,கட்டண உள்ளீடுகளைப் பெற கணக்கு கட்டாயமாகும்,
 Account is not set for the dashboard chart {0},டாஷ்போர்டு விளக்கப்படத்திற்கு கணக்கு அமைக்கப்படவில்லை {0},
-Account {0} does not belong to company {1},கணக்கு {0} நிறுவனத்திற்கு சொந்தமானது இல்லை {1},
 Account {0} does not exists in the dashboard chart {1},கணக்கு {0 the டாஷ்போர்டு விளக்கப்படத்தில் இல்லை {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,கணக்கு: <b>{0</b> capital என்பது மூலதன வேலை செயலில் உள்ளது மற்றும் ஜர்னல் என்ட்ரி மூலம் புதுப்பிக்க முடியாது,
 Account: {0} is not permitted under Payment Entry,கணக்கு: நுழைவு நுழைவு கீழ் {0 அனுமதிக்கப்படவில்லை,
@@ -3582,7 +3567,6 @@
 Activity,நடவடிக்கை,
 Add / Manage Email Accounts.,மின்னஞ்சல் கணக்குகள் சேர் / நிர்வகி.,
 Add Child,குழந்தை சேர்,
-Add Loan Security,கடன் பாதுகாப்பைச் சேர்க்கவும்,
 Add Multiple,பல சேர்,
 Add Participants,பங்கேற்பாளர்களைச் சேர்க்கவும்,
 Add to Featured Item,சிறப்பு உருப்படிக்குச் சேர்க்கவும்,
@@ -3593,15 +3577,12 @@
 Address Line 1,முகவரி வரி 1,
 Addresses,முகவரிகள்,
 Admission End Date should be greater than Admission Start Date.,சேர்க்கை முடிவு தேதி சேர்க்கை தொடக்க தேதியை விட அதிகமாக இருக்க வேண்டும்.,
-Against Loan,கடனுக்கு எதிராக,
-Against Loan:,கடனுக்கு எதிராக:,
 All,எல்லாம்,
 All bank transactions have been created,அனைத்து வங்கி பரிவர்த்தனைகளும் உருவாக்கப்பட்டுள்ளன,
 All the depreciations has been booked,அனைத்து தேய்மானங்களும் பதிவு செய்யப்பட்டுள்ளன,
 Allocation Expired!,ஒதுக்கீடு காலாவதியானது!,
 Allow Resetting Service Level Agreement from Support Settings.,ஆதரவு அமைப்புகளிலிருந்து சேவை நிலை ஒப்பந்தத்தை மீட்டமைக்க அனுமதிக்கவும்.,
 Amount of {0} is required for Loan closure,கடன் மூடுவதற்கு {0 of அளவு தேவை,
-Amount paid cannot be zero,செலுத்தப்பட்ட தொகை பூஜ்ஜியமாக இருக்க முடியாது,
 Applied Coupon Code,அப்ளைடு கூப்பன் குறியீடு,
 Apply Coupon Code,கூப்பன் குறியீட்டைப் பயன்படுத்துக,
 Appointment Booking,நியமனம் முன்பதிவு,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,டிரைவர் முகவரி இல்லாததால் வருகை நேரத்தை கணக்கிட முடியாது.,
 Cannot Optimize Route as Driver Address is Missing.,டிரைவர் முகவரி இல்லாததால் வழியை மேம்படுத்த முடியாது.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"{1 its பணியைச் சார்ந்து இருக்க முடியாது, ஏனெனில் அதன் சார்பு பணி {1 c பூர்த்தி செய்யப்படவில்லை / ரத்து செய்யப்படவில்லை.",
-Cannot create loan until application is approved,விண்ணப்பம் அங்கீகரிக்கப்படும் வரை கடனை உருவாக்க முடியாது,
 Cannot find a matching Item. Please select some other value for {0}.,ஒரு பொருத்தமான பொருள் கண்டுபிடிக்க முடியவில்லை. ஐந்து {0} வேறு சில மதிப்பு தேர்ந்தெடுக்கவும்.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","{1 row வரிசையில் {0} உருப்படிக்கு over 2 over ஐ விட அதிகமாக பில் செய்ய முடியாது. அதிக பில்லிங்கை அனுமதிக்க, கணக்கு அமைப்புகளில் கொடுப்பனவை அமைக்கவும்",
 "Capacity Planning Error, planned start time can not be same as end time","திறன் திட்டமிடல் பிழை, திட்டமிட்ட தொடக்க நேரம் இறுதி நேரத்திற்கு சமமாக இருக்க முடியாது",
@@ -3812,20 +3792,9 @@
 Less Than Amount,தொகையை விட குறைவு,
 Liabilities,பொறுப்புகள்,
 Loading...,ஏற்றுகிறது ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,முன்மொழியப்பட்ட பத்திரங்களின்படி கடன் தொகை அதிகபட்ச கடன் தொகையான {0 ஐ விட அதிகமாக உள்ளது,
 Loan Applications from customers and employees.,வாடிக்கையாளர்கள் மற்றும் பணியாளர்களிடமிருந்து கடன் விண்ணப்பங்கள்.,
-Loan Disbursement,கடன் வழங்கல்,
 Loan Processes,கடன் செயல்முறைகள்,
-Loan Security,கடன் பாதுகாப்பு,
-Loan Security Pledge,கடன் பாதுகாப்பு உறுதிமொழி,
-Loan Security Pledge Created : {0},கடன் பாதுகாப்பு உறுதிமொழி உருவாக்கப்பட்டது: {0},
-Loan Security Price,கடன் பாதுகாப்பு விலை,
-Loan Security Price overlapping with {0},பாதுகாப்பு பாதுகாப்பு விலை {0 with உடன் ஒன்றுடன் ஒன்று,
-Loan Security Unpledge,கடன் பாதுகாப்பு நீக்குதல்,
-Loan Security Value,கடன் பாதுகாப்பு மதிப்பு,
 Loan Type for interest and penalty rates,வட்டி மற்றும் அபராத விகிதங்களுக்கான கடன் வகை,
-Loan amount cannot be greater than {0},கடன் தொகை {0 than ஐ விட அதிகமாக இருக்கக்கூடாது,
-Loan is mandatory,கடன் கட்டாயமாகும்,
 Loans,கடன்கள்,
 Loans provided to customers and employees.,வாடிக்கையாளர்கள் மற்றும் பணியாளர்களுக்கு வழங்கப்படும் கடன்கள்.,
 Location,இடம்,
@@ -3894,7 +3863,6 @@
 Pay,செலுத்த,
 Payment Document Type,கட்டண ஆவண வகை,
 Payment Name,கட்டண பெயர்,
-Penalty Amount,அபராதத் தொகை,
 Pending,முடிவுபெறாத,
 Performance,செயல்திறன்,
 Period based On,காலம் அடிப்படையில்,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,இந்த உருப்படியைத் திருத்த சந்தை பயனராக உள்நுழைக.,
 Please login as a Marketplace User to report this item.,இந்த உருப்படியைப் புகாரளிக்க சந்தை பயனராக உள்நுழைக.,
 Please select <b>Template Type</b> to download template,<b>வார்ப்புருவைப்</b> பதிவிறக்க வார்ப்புரு வகையைத் தேர்ந்தெடுக்கவும்,
-Please select Applicant Type first,முதலில் விண்ணப்பதாரர் வகையைத் தேர்ந்தெடுக்கவும்,
 Please select Customer first,முதலில் வாடிக்கையாளரைத் தேர்ந்தெடுக்கவும்,
 Please select Item Code first,முதலில் உருப்படி குறியீட்டைத் தேர்ந்தெடுக்கவும்,
-Please select Loan Type for company {0},தயவுசெய்து company 0 company நிறுவனத்திற்கான கடன் வகையைத் தேர்ந்தெடுக்கவும்,
 Please select a Delivery Note,டெலிவரி குறிப்பைத் தேர்ந்தெடுக்கவும்,
 Please select a Sales Person for item: {0},உருப்படிக்கு விற்பனையாளரைத் தேர்ந்தெடுக்கவும்: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',மற்றொரு கட்டண முறையை தேர்ந்தெடுக்கவும். கோடுகள் நாணய பரிவர்த்தனைகள் ஆதரிக்கவில்லை &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Company 0 company நிறுவனத்திற்கான இயல்புநிலை வங்கி கணக்கை அமைக்கவும்,
 Please specify,குறிப்பிடவும்,
 Please specify a {0},{0 if ஐ குறிப்பிடவும்,lead
-Pledge Status,உறுதிமொழி நிலை,
-Pledge Time,உறுதிமொழி நேரம்,
 Printing,அச்சிடுதல்,
 Priority,முதன்மை,
 Priority has been changed to {0}.,முன்னுரிமை {0 to ஆக மாற்றப்பட்டுள்ளது.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,எக்ஸ்எம்எல் கோப்புகளை செயலாக்குகிறது,
 Profitability,இலாபம்,
 Project,திட்டம்,
-Proposed Pledges are mandatory for secured Loans,பாதுகாக்கப்பட்ட கடன்களுக்கு முன்மொழியப்பட்ட உறுதிமொழிகள் கட்டாயமாகும்,
 Provide the academic year and set the starting and ending date.,கல்வி ஆண்டை வழங்கி தொடக்க மற்றும் இறுதி தேதியை அமைக்கவும்.,
 Public token is missing for this bank,இந்த வங்கிக்கு பொது டோக்கன் இல்லை,
 Publish,வெளியிடு,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,கொள்முதல் ரசீதில் தக்கவைப்பு மாதிரி இயக்கப்பட்ட எந்த உருப்படியும் இல்லை.,
 Purchase Return,திரும்ப வாங்க,
 Qty of Finished Goods Item,முடிக்கப்பட்ட பொருட்களின் அளவு,
-Qty or Amount is mandatroy for loan security,கடன் பாதுகாப்புக்கான அளவு அல்லது தொகை மாண்டட்ராய் ஆகும்,
 Quality Inspection required for Item {0} to submit,சமர்ப்பிக்க பொருள் {0 for க்கு தர ஆய்வு தேவை,
 Quantity to Manufacture,உற்பத்திக்கான அளவு,
 Quantity to Manufacture can not be zero for the operation {0},To 0 the செயல்பாட்டிற்கான உற்பத்தி அளவு பூஜ்ஜியமாக இருக்க முடியாது,
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,நிவாரண தேதி சேரும் தேதியை விட அதிகமாகவோ அல்லது சமமாகவோ இருக்க வேண்டும்,
 Rename,மறுபெயரிடு,
 Rename Not Allowed,மறுபெயரிட அனுமதிக்கப்படவில்லை,
-Repayment Method is mandatory for term loans,கால கடன்களுக்கு திருப்பிச் செலுத்தும் முறை கட்டாயமாகும்,
-Repayment Start Date is mandatory for term loans,கால கடன்களுக்கு திருப்பிச் செலுத்தும் தொடக்க தேதி கட்டாயமாகும்,
 Report Item,உருப்படியைப் புகாரளி,
 Report this Item,இந்த உருப்படியைப் புகாரளி,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,துணை ஒப்பந்தத்திற்கான ஒதுக்கப்பட்ட Qty: துணை ஒப்பந்த உருப்படிகளை உருவாக்க மூலப்பொருட்களின் அளவு.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},வரிசை ({0}): {1 already ஏற்கனவே {2 in இல் தள்ளுபடி செய்யப்பட்டுள்ளது,
 Rows Added in {0},{0 in இல் சேர்க்கப்பட்ட வரிசைகள்,
 Rows Removed in {0},{0 in இல் அகற்றப்பட்ட வரிசைகள்,
-Sanctioned Amount limit crossed for {0} {1},அனுமதிக்கப்பட்ட தொகை வரம்பு {0} {1 for க்கு தாண்டியது,
-Sanctioned Loan Amount already exists for {0} against company {1},அனுமதிக்கப்பட்ட கடன் தொகை ஏற்கனவே company 0 company நிறுவனத்திற்கு எதிராக {0 for க்கு உள்ளது,
 Save,சேமிக்கவும்,
 Save Item,பொருளைச் சேமிக்கவும்,
 Saved Items,சேமித்த உருப்படிகள்,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,பயனர் {0} முடக்கப்பட்டுள்ளது,
 Users and Permissions,பயனர்கள் மற்றும் அனுமதிகள்,
 Vacancies cannot be lower than the current openings,தற்போதைய திறப்புகளை விட காலியிடங்கள் குறைவாக இருக்க முடியாது,
-Valid From Time must be lesser than Valid Upto Time.,செல்லுபடியாகும் நேரம் செல்லுபடியாகும் நேரத்தை விட குறைவாக இருக்க வேண்டும்.,
 Valuation Rate required for Item {0} at row {1},வரிசை {1 வரிசையில் உருப்படி {0 for க்கு மதிப்பீட்டு வீதம் தேவை,
 Values Out Of Sync,ஒத்திசைவுக்கு வெளியே மதிப்புகள்,
 Vehicle Type is required if Mode of Transport is Road,போக்குவரத்து முறை சாலை என்றால் வாகன வகை தேவை,
@@ -4211,7 +4168,6 @@
 Add to Cart,வணிக வண்டியில் சேர்,
 Days Since Last Order,கடைசி வரிசையில் இருந்து நாட்கள்,
 In Stock,பங்கு,
-Loan Amount is mandatory,கடன் தொகை கட்டாயமாகும்,
 Mode Of Payment,கட்டணம் செலுத்தும் முறை,
 No students Found,மாணவர்கள் இல்லை,
 Not in Stock,பங்கு இல்லை,
@@ -4240,7 +4196,6 @@
 Group by,குழு மூலம்,
 In stock,கையிருப்பில்,
 Item name,பொருள் பெயர்,
-Loan amount is mandatory,கடன் தொகை கட்டாயமாகும்,
 Minimum Qty,குறைந்தபட்ச மதிப்பு,
 More details,மேலும் விபரங்கள்,
 Nature of Supplies,இயற்கை வளங்கள்,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,மொத்தம் முடிக்கப்பட்டது,
 Qty to Manufacture,உற்பத்தி அளவு,
 Repay From Salary can be selected only for term loans,சம்பளத்திலிருந்து திருப்பிச் செலுத்துதல் கால கடன்களுக்கு மட்டுமே தேர்ந்தெடுக்க முடியும்,
-No valid Loan Security Price found for {0},Loan 0 for க்கு செல்லுபடியாகும் கடன் பாதுகாப்பு விலை எதுவும் கிடைக்கவில்லை,
-Loan Account and Payment Account cannot be same,கடன் கணக்கு மற்றும் கொடுப்பனவு கணக்கு ஒரே மாதிரியாக இருக்க முடியாது,
-Loan Security Pledge can only be created for secured loans,பாதுகாப்பான கடன்களுக்காக மட்டுமே கடன் பாதுகாப்பு உறுதிமொழியை உருவாக்க முடியும்,
 Social Media Campaigns,சமூக ஊடக பிரச்சாரங்கள்,
 From Date can not be greater than To Date,தேதி முதல் தேதி வரை அதிகமாக இருக்க முடியாது,
 Please set a Customer linked to the Patient,நோயாளியுடன் இணைக்கப்பட்ட வாடிக்கையாளரை அமைக்கவும்,
@@ -6437,7 +6389,6 @@
 HR User,அலுவலக பயனர்,
 Appointment Letter,நியமனக் கடிதம்,
 Job Applicant,வேலை விண்ணப்பதாரர்,
-Applicant Name,விண்ணப்பதாரர் பெயர்,
 Appointment Date,நியமனம் தேதி,
 Appointment Letter Template,நியமனம் கடிதம் வார்ப்புரு,
 Body,உடல்,
@@ -7059,99 +7010,12 @@
 Sync in Progress,ஒத்திசைவில் முன்னேற்றம்,
 Hub Seller Name,ஹப்பி விற்பனையாளர் பெயர்,
 Custom Data,தனிப்பயன் தரவு,
-Member,உறுப்பினர்,
-Partially Disbursed,பகுதியளவு செலவிட்டு,
-Loan Closure Requested,கடன் மூடல் கோரப்பட்டது,
 Repay From Salary,சம்பளம் இருந்து திருப்பி,
-Loan Details,கடன் விவரங்கள்,
-Loan Type,கடன் வகை,
-Loan Amount,கடன்தொகை,
-Is Secured Loan,பாதுகாப்பான கடன்,
-Rate of Interest (%) / Year,வட்டி (%) / ஆண்டின் விகிதம்,
-Disbursement Date,இரு வாரங்கள் முடிவதற்குள் தேதி,
-Disbursed Amount,வழங்கப்பட்ட தொகை,
-Is Term Loan,கால கடன்,
-Repayment Method,திரும்பச் செலுத்துதல் முறை,
-Repay Fixed Amount per Period,காலம் ஒன்றுக்கு நிலையான தொகை திருப்பி,
-Repay Over Number of Periods,திருப்பி பாடவேளைகள் ஓவர் எண்,
-Repayment Period in Months,மாதங்களில் கடனை திருப்பி செலுத்தும் காலம்,
-Monthly Repayment Amount,மாதாந்திர கட்டுந்தொகை,
-Repayment Start Date,திரும்பத் திரும்பத் திரும்ப தேதி,
-Loan Security Details,கடன் பாதுகாப்பு விவரங்கள்,
-Maximum Loan Value,அதிகபட்ச கடன் மதிப்பு,
-Account Info,கணக்கு தகவல்,
-Loan Account,கடன் கணக்கு,
-Interest Income Account,வட்டி வருமான கணக்கு,
-Penalty Income Account,அபராதம் வருமான கணக்கு,
-Repayment Schedule,திரும்பச் செலுத்துதல் அட்டவணை,
-Total Payable Amount,மொத்த செலுத்த வேண்டிய தொகை,
-Total Principal Paid,மொத்த முதன்மை கட்டணம்,
-Total Interest Payable,மொத்த வட்டி செலுத்த வேண்டிய,
-Total Amount Paid,மொத்த தொகை பணம்,
-Loan Manager,கடன் மேலாளர்,
-Loan Info,கடன் தகவல்,
-Rate of Interest,வட்டி விகிதம்,
-Proposed Pledges,முன்மொழியப்பட்ட உறுதிமொழிகள்,
-Maximum Loan Amount,அதிகபட்ச கடன் தொகை,
-Repayment Info,திரும்பச் செலுத்துதல் தகவல்,
-Total Payable Interest,மொத்த செலுத்த வேண்டிய வட்டி,
-Against Loan ,கடனுக்கு எதிராக,
-Loan Interest Accrual,கடன் வட்டி திரட்டல்,
-Amounts,தொகைகளைக்,
-Pending Principal Amount,முதன்மை தொகை நிலுவையில் உள்ளது,
-Payable Principal Amount,செலுத்த வேண்டிய முதன்மை தொகை,
-Paid Principal Amount,கட்டண முதன்மை தொகை,
-Paid Interest Amount,கட்டண வட்டி தொகை,
-Process Loan Interest Accrual,செயல்முறை கடன் வட்டி திரட்டல்,
-Repayment Schedule Name,திருப்பிச் செலுத்தும் அட்டவணை பெயர்,
 Regular Payment,வழக்கமான கட்டணம்,
 Loan Closure,கடன் மூடல்,
-Payment Details,கட்டணம் விவரங்கள்,
-Interest Payable,செலுத்த வேண்டிய வட்டி,
-Amount Paid,கட்டண தொகை,
-Principal Amount Paid,செலுத்தப்பட்ட முதன்மை தொகை,
-Repayment Details,திருப்பிச் செலுத்தும் விவரங்கள்,
-Loan Repayment Detail,கடன் திருப்பிச் செலுத்தும் விவரம்,
-Loan Security Name,கடன் பாதுகாப்பு பெயர்,
-Unit Of Measure,அளவீட்டு அலகு,
-Loan Security Code,கடன் பாதுகாப்பு குறியீடு,
-Loan Security Type,கடன் பாதுகாப்பு வகை,
-Haircut %,ஹேர்கட்%,
-Loan  Details,கடன் விவரங்கள்,
-Unpledged,Unpledged,
-Pledged,உறுதி,
-Partially Pledged,ஓரளவு உறுதிமொழி,
-Securities,பத்திரங்கள்,
-Total Security Value,மொத்த பாதுகாப்பு மதிப்பு,
-Loan Security Shortfall,கடன் பாதுகாப்பு பற்றாக்குறை,
-Loan ,கடன்,
-Shortfall Time,பற்றாக்குறை நேரம்,
-America/New_York,அமெரிக்கா / New_York,
-Shortfall Amount,பற்றாக்குறை தொகை,
-Security Value ,பாதுகாப்பு மதிப்பு,
-Process Loan Security Shortfall,செயல்முறை கடன் பாதுகாப்பு பற்றாக்குறை,
-Loan To Value Ratio,மதிப்பு விகிதத்திற்கான கடன்,
-Unpledge Time,திறக்கப்படாத நேரம்,
-Loan Name,கடன் பெயர்,
 Rate of Interest (%) Yearly,வட்டி விகிதம் (%) வருடாந்திரம்,
-Penalty Interest Rate (%) Per Day,அபராதம் வட்டி விகிதம் (%) ஒரு நாளைக்கு,
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,"திருப்பிச் செலுத்துவதில் தாமதமானால், நிலுவையில் உள்ள வட்டித் தொகையை தினசரி அடிப்படையில் அபராத வட்டி விகிதம் விதிக்கப்படுகிறது",
-Grace Period in Days,நாட்களில் கிரேஸ் காலம்,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,கடனைத் திருப்பிச் செலுத்துவதில் தாமதம் ஏற்பட்டால் அபராதம் வசூலிக்கப்படாத தேதி முதல் குறிப்பிட்ட நாட்கள் வரை,
-Pledge,உறுதிமொழி,
-Post Haircut Amount,ஹேர்கட் தொகையை இடுகையிடவும்,
-Process Type,செயல்முறை வகை,
-Update Time,புதுப்பிப்பு நேரம்,
-Proposed Pledge,முன்மொழியப்பட்ட உறுதிமொழி,
-Total Payment,மொத்த கொடுப்பனவு,
-Balance Loan Amount,இருப்பு கடன் தொகை,
-Is Accrued,திரட்டப்பட்டுள்ளது,
 Salary Slip Loan,சம்பள சரிவு கடன்,
 Loan Repayment Entry,கடன் திருப்பிச் செலுத்தும் நுழைவு,
-Sanctioned Loan Amount,அனுமதிக்கப்பட்ட கடன் தொகை,
-Sanctioned Amount Limit,அனுமதிக்கப்பட்ட தொகை வரம்பு,
-Unpledge,Unpledge,
-Haircut,ஹேர்கட்,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,அட்டவணை உருவாக்க,
 Schedules,கால அட்டவணைகள்,
@@ -7885,7 +7749,6 @@
 Update Series,மேம்படுத்தல் தொடர்,
 Change the starting / current sequence number of an existing series.,ஏற்கனவே தொடரில் தற்போதைய / தொடக்க வரிசை எண் மாற்ற.,
 Prefix,முற்சேர்க்கை,
-Current Value,தற்போதைய மதிப்பு,
 This is the number of the last created transaction with this prefix,இந்த முன்னொட்டு கடந்த உருவாக்கப்பட்ட பரிவர்த்தனை எண்ணிக்கை,
 Update Series Number,மேம்படுத்தல் தொடர் எண்,
 Quotation Lost Reason,மேற்கோள் காரணம் லாஸ்ட்,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,இனவாரியாக மறுவரிசைப்படுத்துக நிலை பரிந்துரைக்கப்படுகிறது,
 Lead Details,முன்னணி விவரங்கள்,
 Lead Owner Efficiency,முன்னணி உரிமையாளர் திறன்,
-Loan Repayment and Closure,கடன் திருப்பிச் செலுத்துதல் மற்றும் மூடல்,
-Loan Security Status,கடன் பாதுகாப்பு நிலை,
 Lost Opportunity,வாய்ப்பு இழந்தது,
 Maintenance Schedules,பராமரிப்பு அட்டவணை,
 Material Requests for which Supplier Quotations are not created,வழங்குபவர் மேற்கோள்கள் உருவாக்கப்பட்ட எந்த பொருள் கோரிக்கைகள்,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},இலக்கு எண்ணப்பட்டவை: {0},
 Payment Account is mandatory,கட்டண கணக்கு கட்டாயமாகும்,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","சரிபார்க்கப்பட்டால், எந்தவொரு அறிவிப்பும் அல்லது ஆதார சமர்ப்பிப்பும் இல்லாமல் வருமான வரியைக் கணக்கிடுவதற்கு முன் முழுத் தொகையும் வரி விதிக்கக்கூடிய வருமானத்திலிருந்து கழிக்கப்படும்.",
-Disbursement Details,வழங்கல் விவரங்கள்,
 Material Request Warehouse,பொருள் கோரிக்கை கிடங்கு,
 Select warehouse for material requests,பொருள் கோரிக்கைகளுக்கு கிடங்கைத் தேர்ந்தெடுக்கவும்,
 Transfer Materials For Warehouse {0},கிடங்கிற்கான பொருட்களை மாற்றவும் {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,கோரப்படாத தொகையை சம்பளத்திலிருந்து திருப்பிச் செலுத்துங்கள்,
 Deduction from salary,சம்பளத்திலிருந்து கழித்தல்,
 Expired Leaves,காலாவதியான இலைகள்,
-Reference No,குறிப்பு எண்,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,ஹேர்கட் சதவீதம் என்பது கடன் பாதுகாப்பின் சந்தை மதிப்புக்கும் அந்தக் கடனுக்கான பிணையமாகப் பயன்படுத்தும்போது அந்த கடன் பாதுகாப்புக்குக் கூறப்படும் மதிப்புக்கும் இடையிலான சதவீத வேறுபாடு ஆகும்.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,கடன் மதிப்பு மதிப்பு விகிதம் உறுதி அளிக்கப்பட்ட பாதுகாப்பின் மதிப்புக்கு கடன் தொகையின் விகிதத்தை வெளிப்படுத்துகிறது. எந்தவொரு கடனுக்கும் குறிப்பிட்ட மதிப்பை விட இது குறைந்துவிட்டால் கடன் பாதுகாப்பு பற்றாக்குறை தூண்டப்படும்,
 If this is not checked the loan by default will be considered as a Demand Loan,"இது சரிபார்க்கப்படாவிட்டால், இயல்புநிலையாக கடன் தேவை கடனாக கருதப்படும்",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,கடன் வாங்கியவரிடமிருந்து கடன் திருப்பிச் செலுத்துவதற்கு முன்பதிவு செய்வதற்கும் கடன் வாங்கியவருக்கு கடன்களை வழங்குவதற்கும் இந்த கணக்கு பயன்படுத்தப்படுகிறது,
 This account is capital account which is used to allocate capital for loan disbursal account ,"இந்த கணக்கு மூலதன கணக்கு ஆகும், இது கடன் வழங்கல் கணக்கிற்கு மூலதனத்தை ஒதுக்க பயன்படுகிறது",
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},செயல்பாடு {0 the பணி ஒழுங்கு {1 to க்கு சொந்தமானது அல்ல,
 Print UOM after Quantity,அளவுக்குப் பிறகு UOM ஐ அச்சிடுக,
 Set default {0} account for perpetual inventory for non stock items,பங்கு அல்லாத பொருட்களுக்கான நிரந்தர சரக்குகளுக்கு இயல்புநிலை {0} கணக்கை அமைக்கவும்,
-Loan Security {0} added multiple times,கடன் பாதுகாப்பு {0 multiple பல முறை சேர்க்கப்பட்டது,
-Loan Securities with different LTV ratio cannot be pledged against one loan,வெவ்வேறு எல்.டி.வி விகிதத்துடன் கடன் பத்திரங்கள் ஒரு கடனுக்கு எதிராக அடகு வைக்க முடியாது,
-Qty or Amount is mandatory for loan security!,கடன் பாதுகாப்பிற்கு அளவு அல்லது தொகை கட்டாயமாகும்!,
-Only submittted unpledge requests can be approved,சமர்ப்பிக்கப்பட்ட unpledge கோரிக்கைகளை மட்டுமே அங்கீகரிக்க முடியும்,
-Interest Amount or Principal Amount is mandatory,வட்டி தொகை அல்லது முதன்மை தொகை கட்டாயமாகும்,
-Disbursed Amount cannot be greater than {0},வழங்கப்பட்ட தொகை {0 than ஐ விட அதிகமாக இருக்கக்கூடாது,
-Row {0}: Loan Security {1} added multiple times,வரிசை {0}: கடன் பாதுகாப்பு {1 multiple பல முறை சேர்க்கப்பட்டது,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,வரிசை # {0}: குழந்தை உருப்படி தயாரிப்பு மூட்டையாக இருக்கக்கூடாது. உருப்படி {1 remove ஐ நீக்கி சேமிக்கவும்,
 Credit limit reached for customer {0},வாடிக்கையாளருக்கு கடன் வரம்பு அடைந்தது {0},
 Could not auto create Customer due to the following missing mandatory field(s):,பின்வரும் கட்டாய புலம் (கள்) காணாமல் போனதால் வாடிக்கையாளரை தானாக உருவாக்க முடியவில்லை:,
diff --git a/erpnext/translations/te.csv b/erpnext/translations/te.csv
index 52151b5..4f67924 100644
--- a/erpnext/translations/te.csv
+++ b/erpnext/translations/te.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","కంపెనీ స్పా, సాపా లేదా ఎస్‌ఆర్‌ఎల్ అయితే వర్తిస్తుంది",
 Applicable if the company is a limited liability company,కంపెనీ పరిమిత బాధ్యత కలిగిన సంస్థ అయితే వర్తిస్తుంది,
 Applicable if the company is an Individual or a Proprietorship,సంస్థ ఒక వ్యక్తి లేదా యజమాని అయితే వర్తిస్తుంది,
-Applicant,దరఖాస్తుదారు,
-Applicant Type,అభ్యర్థి రకం,
 Application of Funds (Assets),ఫండ్స్ (ఆస్తులు) యొక్క అప్లికేషన్,
 Application period cannot be across two allocation records,దరఖాస్తు కాలం రెండు కేటాయింపు రికార్డుల్లో ఉండరాదు,
 Application period cannot be outside leave allocation period,అప్లికేషన్ కాలం వెలుపల సెలవు కేటాయింపు కాలం ఉండకూడదు,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,ఫోలియో సంఖ్యలతో అందుబాటులో ఉన్న వాటాదారుల జాబితా,
 Loading Payment System,చెల్లింపు వ్యవస్థను లోడ్ చేస్తోంది,
 Loan,ఋణం,
-Loan Amount cannot exceed Maximum Loan Amount of {0},రుణ మొత్తం గరిష్ట రుణ మొత్తం మించకూడదు {0},
-Loan Application,లోన్ అప్లికేషన్,
-Loan Management,లోన్ మేనేజ్మెంట్,
-Loan Repayment,రుణాన్ని తిరిగి చెల్లించే,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,ఇన్వాయిస్ డిస్కౌంటింగ్ను సేవ్ చేయడానికి లోన్ ప్రారంభ తేదీ మరియు లోన్ పీరియడ్ తప్పనిసరి,
 Loans (Liabilities),రుణాలు (లయబిలిటీస్),
 Loans and Advances (Assets),రుణాలు మరియు అడ్వాన్సెస్ (ఆస్తులు),
@@ -1611,7 +1605,6 @@
 Monday,సోమవారం,
 Monthly,మంత్లీ,
 Monthly Distribution,మంత్లీ పంపిణీ,
-Monthly Repayment Amount cannot be greater than Loan Amount,మంత్లీ నంతవరకు మొత్తాన్ని రుణ మొత్తం కంటే ఎక్కువ ఉండకూడదు,
 More,మరిన్ని,
 More Information,మరింత సమాచారం,
 More than one selection for {0} not allowed,{0} కోసం ఒకటి కంటే ఎక్కువ ఎంపిక అనుమతించబడదు,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},చెల్లించు {0} {1},
 Payable,చెల్లించవలసిన,
 Payable Account,చెల్లించవలసిన ఖాతా,
-Payable Amount,చెల్లించవలసిన మొత్తం,
 Payment,చెల్లింపు,
 Payment Cancelled. Please check your GoCardless Account for more details,చెల్లింపు రద్దు చేయబడింది. దయచేసి మరిన్ని వివరాల కోసం మీ GoCardless ఖాతాను తనిఖీ చేయండి,
 Payment Confirmation,చెల్లింపు నిర్ధారణ,
-Payment Date,చెల్లింపు తేదీ,
 Payment Days,చెల్లింపు డేస్,
 Payment Document,చెల్లింపు డాక్యుమెంట్,
 Payment Due Date,చెల్లింపు గడువు తేదీ,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,మొదటి కొనుగోలు రసీదులు నమోదు చేయండి,
 Please enter Receipt Document,స్వీకరణపై డాక్యుమెంట్ నమోదు చేయండి,
 Please enter Reference date,సూచన తేదీని ఎంటర్ చేయండి,
-Please enter Repayment Periods,తిరిగి చెల్లించే కాలాలు నమోదు చేయండి,
 Please enter Reqd by Date,దయచేసి తేదీ ద్వారా రిక్డ్ నమోదు చేయండి,
 Please enter Woocommerce Server URL,దయచేసి Woocommerce Server URL ను నమోదు చేయండి,
 Please enter Write Off Account,ఖాతా ఆఫ్ వ్రాయండి నమోదు చేయండి,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,మాతృ ఖర్చు సెంటర్ నమోదు చేయండి,
 Please enter quantity for Item {0},అంశం పరిమాణం నమోదు చేయండి {0},
 Please enter relieving date.,తేదీ ఉపశమనం ఎంటర్ చెయ్యండి.,
-Please enter repayment Amount,తిరిగి చెల్లించే మొత్తాన్ని నమోదు చేయండి,
 Please enter valid Financial Year Start and End Dates,చెల్లుబాటు అయ్యే ఆర్థిక సంవత్సరం ప్రారంభ మరియు ముగింపు తేదీలను ఎంటర్ చేయండి,
 Please enter valid email address,చెల్లుబాటు అయ్యే ఇమెయిల్ చిరునామాను నమోదు చేయండి,
 Please enter {0} first,ముందుగా {0} నమోదు చేయండి,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,ధర నిబంధనలకు మరింత పరిమాణం ఆధారంగా ఫిల్టర్.,
 Primary Address Details,ప్రాథమిక చిరునామా వివరాలు,
 Primary Contact Details,ప్రాథమిక సంప్రదింపు వివరాలు,
-Principal Amount,ప్రధాన మొత్తం,
 Print Format,ప్రింట్ ఫార్మాట్,
 Print IRS 1099 Forms,IRS 1099 ఫారమ్‌లను ముద్రించండి,
 Print Report Card,నివేదిక రిపోర్ట్ కార్డ్,
@@ -2550,7 +2538,6 @@
 Sample Collection,నమూనా కలెక్షన్,
 Sample quantity {0} cannot be more than received quantity {1},నమూనా పరిమాణం {0} పొందింది కంటే ఎక్కువ కాదు {1},
 Sanctioned,మంజూరు,
-Sanctioned Amount,మంజూరు సొమ్ము,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,మంజూరు మొత్తం రో లో క్లెయిమ్ సొమ్ము కంటే ఎక్కువ ఉండకూడదు {0}.,
 Sand,ఇసుక,
 Saturday,శనివారం,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} ఇప్పటికే తల్లిదండ్రుల విధానం {1 has ను కలిగి ఉంది.,
 API,API,
 Annual,వార్షిక,
-Approved,ఆమోదించబడింది,
 Change,మార్చు,
 Contact Email,సంప్రదించండి ఇమెయిల్,
 Export Type,ఎగుమతి రకం,
@@ -3571,7 +3557,6 @@
 Account Value,ఖాతా విలువ,
 Account is mandatory to get payment entries,చెల్లింపు ఎంట్రీలను పొందడానికి ఖాతా తప్పనిసరి,
 Account is not set for the dashboard chart {0},డాష్‌బోర్డ్ చార్ట్ {0 for కోసం ఖాతా సెట్ చేయబడలేదు,
-Account {0} does not belong to company {1},ఖాతా {0} కంపెనీకి చెందినది కాదు {1},
 Account {0} does not exists in the dashboard chart {1},ఖాతా {0 the డాష్‌బోర్డ్ చార్ట్ {1 in లో లేదు,
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,ఖాతా: <b>{0</b> capital మూలధన పని పురోగతిలో ఉంది మరియు జర్నల్ ఎంట్రీ ద్వారా నవీకరించబడదు,
 Account: {0} is not permitted under Payment Entry,ఖాతా: చెల్లింపు ఎంట్రీ క్రింద {0 అనుమతించబడదు,
@@ -3582,7 +3567,6 @@
 Activity,కార్యాచరణ,
 Add / Manage Email Accounts.,ఇమెయిల్ అకౌంట్స్ / నిర్వహించు జోడించండి.,
 Add Child,చైల్డ్ జోడించండి,
-Add Loan Security,రుణ భద్రతను జోడించండి,
 Add Multiple,బహుళ జోడించండి,
 Add Participants,పాల్గొనేవారిని జోడించండి,
 Add to Featured Item,ఫీచర్ చేసిన అంశానికి జోడించండి,
@@ -3593,15 +3577,12 @@
 Address Line 1,చిరునామా పంక్తి 1,
 Addresses,చిరునామాలు,
 Admission End Date should be greater than Admission Start Date.,ప్రవేశ ముగింపు తేదీ అడ్మిషన్ ప్రారంభ తేదీ కంటే ఎక్కువగా ఉండాలి.,
-Against Loan,రుణానికి వ్యతిరేకంగా,
-Against Loan:,రుణానికి వ్యతిరేకంగా:,
 All,ALL,
 All bank transactions have been created,అన్ని బ్యాంక్ లావాదేవీలు సృష్టించబడ్డాయి,
 All the depreciations has been booked,అన్ని తరుగుదల బుక్ చేయబడింది,
 Allocation Expired!,కేటాయింపు గడువు ముగిసింది!,
 Allow Resetting Service Level Agreement from Support Settings.,మద్దతు సెట్టింగ్‌ల నుండి సేవా స్థాయి ఒప్పందాన్ని రీసెట్ చేయడానికి అనుమతించండి.,
 Amount of {0} is required for Loan closure,రుణ మూసివేతకు {0 of అవసరం,
-Amount paid cannot be zero,చెల్లించిన మొత్తం సున్నా కాదు,
 Applied Coupon Code,అప్లైడ్ కూపన్ కోడ్,
 Apply Coupon Code,కూపన్ కోడ్‌ను వర్తించండి,
 Appointment Booking,అపాయింట్‌మెంట్ బుకింగ్,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,డ్రైవర్ చిరునామా తప్పిపోయినందున రాక సమయాన్ని లెక్కించలేరు.,
 Cannot Optimize Route as Driver Address is Missing.,డ్రైవర్ చిరునామా లేదు కాబట్టి మార్గాన్ని ఆప్టిమైజ్ చేయలేరు.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,{1 task పనిని పూర్తి చేయలేము ఎందుకంటే దాని ఆధారిత పని {1 c పూర్తి కాలేదు / రద్దు చేయబడదు.,
-Cannot create loan until application is approved,దరఖాస్తు ఆమోదించబడే వరకు రుణాన్ని సృష్టించలేరు,
 Cannot find a matching Item. Please select some other value for {0}.,ఒక సరిపోలే అంశం దొరకదు. కోసం {0} కొన్ని ఇతర విలువ దయచేసి ఎంచుకోండి.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","{1 row వరుసలో {2 item కంటే ఎక్కువ {0 item అంశం కోసం ఓవర్‌బిల్ చేయలేరు. ఓవర్ బిల్లింగ్‌ను అనుమతించడానికి, దయచేసి ఖాతాల సెట్టింగ్‌లలో భత్యం సెట్ చేయండి",
 "Capacity Planning Error, planned start time can not be same as end time","సామర్థ్య ప్రణాళిక లోపం, ప్రణాళికాబద్ధమైన ప్రారంభ సమయం ముగింపు సమయానికి సమానంగా ఉండకూడదు",
@@ -3812,20 +3792,9 @@
 Less Than Amount,మొత్తం కంటే తక్కువ,
 Liabilities,బాధ్యతలు,
 Loading...,లోడ్ అవుతోంది ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,ప్రతిపాదిత సెక్యూరిటీల ప్రకారం రుణ మొత్తం గరిష్ట రుణ మొత్తాన్ని {0 exceed మించిపోయింది,
 Loan Applications from customers and employees.,కస్టమర్లు మరియు ఉద్యోగుల నుండి రుణ దరఖాస్తులు.,
-Loan Disbursement,రుణ పంపిణీ,
 Loan Processes,రుణ ప్రక్రియలు,
-Loan Security,రుణ భద్రత,
-Loan Security Pledge,రుణ భద్రతా ప్రతిజ్ఞ,
-Loan Security Pledge Created : {0},రుణ భద్రతా ప్రతిజ్ఞ సృష్టించబడింది: {0},
-Loan Security Price,రుణ భద్రతా ధర,
-Loan Security Price overlapping with {0},రుణ భద్రతా ధర {0 with తో అతివ్యాప్తి చెందుతుంది,
-Loan Security Unpledge,లోన్ సెక్యూరిటీ అన్‌ప్లెడ్జ్,
-Loan Security Value,రుణ భద్రతా విలువ,
 Loan Type for interest and penalty rates,వడ్డీ మరియు పెనాల్టీ రేట్ల కోసం రుణ రకం,
-Loan amount cannot be greater than {0},రుణ మొత్తం {0 than కంటే ఎక్కువ ఉండకూడదు,
-Loan is mandatory,రుణ తప్పనిసరి,
 Loans,రుణాలు,
 Loans provided to customers and employees.,వినియోగదారులకు మరియు ఉద్యోగులకు రుణాలు అందించబడతాయి.,
 Location,నగర,
@@ -3894,7 +3863,6 @@
 Pay,చెల్లించండి,
 Payment Document Type,చెల్లింపు పత్రం రకం,
 Payment Name,చెల్లింపు పేరు,
-Penalty Amount,జరిమానా మొత్తం,
 Pending,పెండింగ్,
 Performance,ప్రదర్శన,
 Period based On,కాలం ఆధారంగా,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,ఈ అంశాన్ని సవరించడానికి దయచేసి మార్కెట్ ప్లేస్‌ యూజర్‌గా లాగిన్ అవ్వండి.,
 Please login as a Marketplace User to report this item.,ఈ అంశాన్ని నివేదించడానికి దయచేసి మార్కెట్ ప్లేస్‌ యూజర్‌గా లాగిన్ అవ్వండి.,
 Please select <b>Template Type</b> to download template,టెంప్లేట్‌ను డౌన్‌లోడ్ చేయడానికి <b>మూస రకాన్ని</b> ఎంచుకోండి,
-Please select Applicant Type first,దయచేసి మొదట దరఖాస్తుదారు రకాన్ని ఎంచుకోండి,
 Please select Customer first,దయచేసి మొదట కస్టమర్‌ను ఎంచుకోండి,
 Please select Item Code first,దయచేసి మొదట ఐటెమ్ కోడ్‌ను ఎంచుకోండి,
-Please select Loan Type for company {0},దయచేసి company 0 company కోసం లోన్ రకాన్ని ఎంచుకోండి,
 Please select a Delivery Note,దయచేసి డెలివరీ గమనికను ఎంచుకోండి,
 Please select a Sales Person for item: {0},దయచేసి అంశం కోసం అమ్మకందారుని ఎంచుకోండి: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',దయచేసి మరో చెల్లింపు పద్ధతిని ఎంచుకోండి. గీత ద్రవ్యంలో లావాదేవీలు మద్దతు లేదు &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},దయచేసి కంపెనీ for 0 for కోసం డిఫాల్ట్ బ్యాంక్ ఖాతాను సెటప్ చేయండి,
 Please specify,పేర్కొనండి,
 Please specify a {0},దయచేసి {0 పేర్కొనండి,lead
-Pledge Status,ప్రతిజ్ఞ స్థితి,
-Pledge Time,ప్రతిజ్ఞ సమయం,
 Printing,ప్రింటింగ్,
 Priority,ప్రాధాన్య,
 Priority has been changed to {0}.,ప్రాధాన్యత {0 to కు మార్చబడింది.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,XML ఫైళ్ళను ప్రాసెస్ చేస్తోంది,
 Profitability,లాభాల,
 Project,ప్రాజెక్టు,
-Proposed Pledges are mandatory for secured Loans,సురక్షిత రుణాలకు ప్రతిపాదిత ప్రతిజ్ఞలు తప్పనిసరి,
 Provide the academic year and set the starting and ending date.,విద్యా సంవత్సరాన్ని అందించండి మరియు ప్రారంభ మరియు ముగింపు తేదీని సెట్ చేయండి.,
 Public token is missing for this bank,ఈ బ్యాంకుకు పబ్లిక్ టోకెన్ లేదు,
 Publish,ప్రచురించు,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,కొనుగోలు రశీదులో నిలుపుదల నమూనా ప్రారంభించబడిన అంశం లేదు.,
 Purchase Return,కొనుగోలు చూపించు,
 Qty of Finished Goods Item,పూర్తయిన వస్తువుల అంశం,
-Qty or Amount is mandatroy for loan security,రుణ భద్రత కోసం క్యూటీ లేదా మొత్తం మాండట్రోయ్,
 Quality Inspection required for Item {0} to submit,సమర్పించడానికి అంశం {0 for కోసం నాణ్యత తనిఖీ అవసరం,
 Quantity to Manufacture,తయారీకి పరిమాణం,
 Quantity to Manufacture can not be zero for the operation {0},To 0 operation ఆపరేషన్ కోసం తయారీ పరిమాణం సున్నా కాదు,
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,ఉపశమన తేదీ చేరిన తేదీ కంటే ఎక్కువ లేదా సమానంగా ఉండాలి,
 Rename,పేరుమార్చు,
 Rename Not Allowed,పేరు మార్చడం అనుమతించబడలేదు,
-Repayment Method is mandatory for term loans,టర్మ్ లోన్లకు తిరిగి చెల్లించే విధానం తప్పనిసరి,
-Repayment Start Date is mandatory for term loans,టర్మ్ లోన్లకు తిరిగి చెల్లించే ప్రారంభ తేదీ తప్పనిసరి,
 Report Item,అంశాన్ని నివేదించండి,
 Report this Item,ఈ అంశాన్ని నివేదించండి,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,సబ్ కాంట్రాక్ట్ కోసం రిజర్వు చేయబడిన Qty: ఉప కాంట్రాక్ట్ చేసిన వస్తువులను తయారు చేయడానికి ముడి పదార్థాల పరిమాణం.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},అడ్డు వరుస ({0}): {1 already ఇప్పటికే {2 in లో రాయితీ చేయబడింది,
 Rows Added in {0},{0 in లో వరుసలు జోడించబడ్డాయి,
 Rows Removed in {0},{0 in లో తొలగించబడిన వరుసలు,
-Sanctioned Amount limit crossed for {0} {1},మంజూరు చేసిన మొత్తం పరిమితి {0} {1 for కు దాటింది,
-Sanctioned Loan Amount already exists for {0} against company {1},కంపెనీ {1 against కు వ్యతిరేకంగా {0 for కోసం మంజూరు చేసిన రుణ మొత్తం ఇప్పటికే ఉంది,
 Save,సేవ్,
 Save Item,అంశాన్ని సేవ్ చేయండి,
 Saved Items,సేవ్ చేసిన అంశాలు,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,వాడుకరి {0} నిలిపివేయబడింది,
 Users and Permissions,వినియోగదారులు మరియు అనుమతులు,
 Vacancies cannot be lower than the current openings,ప్రస్తుత ఓపెనింగ్ల కంటే ఖాళీలు తక్కువగా ఉండకూడదు,
-Valid From Time must be lesser than Valid Upto Time.,సమయం నుండి చెల్లుబాటు అయ్యే సమయం కంటే తక్కువ ఉండాలి.,
 Valuation Rate required for Item {0} at row {1},{1 row వరుసలో అంశం {0 for కోసం మదింపు రేటు అవసరం,
 Values Out Of Sync,విలువలు సమకాలీకరించబడలేదు,
 Vehicle Type is required if Mode of Transport is Road,రవాణా విధానం రహదారి అయితే వాహన రకం అవసరం,
@@ -4211,7 +4168,6 @@
 Add to Cart,కార్ట్ జోడించు,
 Days Since Last Order,లాస్ట్ ఆర్డర్ నుండి రోజులు,
 In Stock,అందుబాటులో ఉంది,
-Loan Amount is mandatory,రుణ మొత్తం తప్పనిసరి,
 Mode Of Payment,చెల్లింపు విధానం,
 No students Found,విద్యార్థులు లేరు,
 Not in Stock,కాదు స్టాక్,
@@ -4240,7 +4196,6 @@
 Group by,గ్రూప్ ద్వారా,
 In stock,అందుబాటులో ఉంది,
 Item name,అంశం పేరు,
-Loan amount is mandatory,రుణ మొత్తం తప్పనిసరి,
 Minimum Qty,కనిష్ట విలువ,
 More details,మరిన్ని వివరాలు,
 Nature of Supplies,వస్తువుల ప్రకృతి,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,మొత్తం పూర్తయింది Qty,
 Qty to Manufacture,తయారీకి అంశాల,
 Repay From Salary can be selected only for term loans,టర్మ్ లోన్ల కోసం మాత్రమే జీతం నుండి తిరిగి చెల్లించవచ్చు,
-No valid Loan Security Price found for {0},Valid 0 for కోసం చెల్లుబాటు అయ్యే రుణ భద్రతా ధర కనుగొనబడలేదు,
-Loan Account and Payment Account cannot be same,లోన్ ఖాతా మరియు చెల్లింపు ఖాతా ఒకేలా ఉండకూడదు,
-Loan Security Pledge can only be created for secured loans,లోన్ సెక్యూరిటీ ప్రతిజ్ఞ సురక్షిత రుణాల కోసం మాత్రమే సృష్టించబడుతుంది,
 Social Media Campaigns,సోషల్ మీడియా ప్రచారాలు,
 From Date can not be greater than To Date,తేదీ నుండి తేదీ కంటే ఎక్కువ ఉండకూడదు,
 Please set a Customer linked to the Patient,దయచేసి రోగికి లింక్ చేయబడిన కస్టమర్‌ను సెట్ చేయండి,
@@ -6437,7 +6389,6 @@
 HR User,ఆర్ వాడుకరి,
 Appointment Letter,నియామక పత్రం,
 Job Applicant,ఉద్యోగం అభ్యర్థి,
-Applicant Name,దరఖాస్తుదారు పేరు,
 Appointment Date,నియామక తేదీ,
 Appointment Letter Template,నియామక లేఖ మూస,
 Body,శరీర,
@@ -7059,99 +7010,12 @@
 Sync in Progress,ప్రోగ్రెస్లో సమకాలీకరణ,
 Hub Seller Name,హబ్ అమ్మకాల పేరు,
 Custom Data,అనుకూల డేటా,
-Member,సభ్యుడు,
-Partially Disbursed,పాక్షికంగా పంపించబడతాయి,
-Loan Closure Requested,రుణ మూసివేత అభ్యర్థించబడింది,
 Repay From Salary,జీతం నుండి తిరిగి,
-Loan Details,లోన్ వివరాలు,
-Loan Type,లోన్ టైప్,
-Loan Amount,అప్పు మొత్తం,
-Is Secured Loan,సెక్యూర్డ్ లోన్,
-Rate of Interest (%) / Year,ఆసక్తి రేటు (%) / ఆఫ్ ది ఇయర్,
-Disbursement Date,చెల్లించుట తేదీ,
-Disbursed Amount,పంపిణీ చేసిన మొత్తం,
-Is Term Loan,టర్మ్ లోన్,
-Repayment Method,తిరిగి చెల్లించే విధానం,
-Repay Fixed Amount per Period,ఒక్కో వ్యవధి స్థిర మొత్తం చెల్లింపులో,
-Repay Over Number of Periods,చెల్లింపులో కాలాల ఓవర్ సంఖ్య,
-Repayment Period in Months,నెలల్లో తిరిగి చెల్లించే కాలం,
-Monthly Repayment Amount,మంత్లీ నంతవరకు మొత్తం,
-Repayment Start Date,చెల్లింపు ప్రారంభ తేదీ,
-Loan Security Details,రుణ భద్రతా వివరాలు,
-Maximum Loan Value,గరిష్ట రుణ విలువ,
-Account Info,ఖాతా సమాచారం,
-Loan Account,రుణ ఖాతా,
-Interest Income Account,వడ్డీ ఆదాయం ఖాతా,
-Penalty Income Account,జరిమానా ఆదాయ ఖాతా,
-Repayment Schedule,తిరిగి చెల్లించే షెడ్యూల్,
-Total Payable Amount,మొత్తం చెల్లించవలసిన సొమ్ము,
-Total Principal Paid,మొత్తం ప్రిన్సిపాల్ చెల్లించారు,
-Total Interest Payable,చెల్లించవలసిన మొత్తం వడ్డీ,
-Total Amount Paid,మొత్తం చెల్లింపు మొత్తం,
-Loan Manager,లోన్ మేనేజర్,
-Loan Info,లోన్ సమాచారం,
-Rate of Interest,వడ్డీ రేటు,
-Proposed Pledges,ప్రతిపాదిత ప్రతిజ్ఞలు,
-Maximum Loan Amount,గరిష్ఠ రుణ మొత్తం,
-Repayment Info,తిరిగి చెల్లించే సమాచారం,
-Total Payable Interest,మొత్తం చెల్లించవలసిన వడ్డీ,
-Against Loan ,రుణానికి వ్యతిరేకంగా,
-Loan Interest Accrual,లోన్ ఇంట్రెస్ట్ అక్రూవల్,
-Amounts,మొత్తంలో,
-Pending Principal Amount,ప్రిన్సిపాల్ మొత్తం పెండింగ్‌లో ఉంది,
-Payable Principal Amount,చెల్లించవలసిన ప్రధాన మొత్తం,
-Paid Principal Amount,చెల్లించిన ప్రిన్సిపాల్ మొత్తం,
-Paid Interest Amount,చెల్లించిన వడ్డీ మొత్తం,
-Process Loan Interest Accrual,ప్రాసెస్ లోన్ వడ్డీ సముపార్జన,
-Repayment Schedule Name,తిరిగి చెల్లించే షెడ్యూల్ పేరు,
 Regular Payment,రెగ్యులర్ చెల్లింపు,
 Loan Closure,రుణ మూసివేత,
-Payment Details,చెల్లింపు వివరాలు,
-Interest Payable,కట్టవలసిన వడ్డీ,
-Amount Paid,కట్టిన డబ్బు,
-Principal Amount Paid,ప్రిన్సిపాల్ మొత్తం చెల్లించారు,
-Repayment Details,తిరిగి చెల్లించే వివరాలు,
-Loan Repayment Detail,రుణ తిరిగి చెల్లించే వివరాలు,
-Loan Security Name,రుణ భద్రతా పేరు,
-Unit Of Measure,కొలమానం,
-Loan Security Code,లోన్ సెక్యూరిటీ కోడ్,
-Loan Security Type,రుణ భద్రతా రకం,
-Haircut %,హ్యారీకట్%,
-Loan  Details,రుణ వివరాలు,
-Unpledged,Unpledged,
-Pledged,ప్రతిజ్ఞ,
-Partially Pledged,పాక్షికంగా ప్రతిజ్ఞ,
-Securities,సెక్యూరిటీస్,
-Total Security Value,మొత్తం భద్రతా విలువ,
-Loan Security Shortfall,రుణ భద్రతా కొరత,
-Loan ,ఋణం,
-Shortfall Time,కొరత సమయం,
-America/New_York,అమెరికా / New_York,
-Shortfall Amount,కొరత మొత్తం,
-Security Value ,భద్రతా విలువ,
-Process Loan Security Shortfall,ప్రాసెస్ లోన్ సెక్యూరిటీ కొరత,
-Loan To Value Ratio,విలువ నిష్పత్తికి లోన్,
-Unpledge Time,అన్‌ప్లెడ్జ్ సమయం,
-Loan Name,లోన్ పేరు,
 Rate of Interest (%) Yearly,ఆసక్తి రేటు (%) సుడి,
-Penalty Interest Rate (%) Per Day,రోజుకు జరిమానా వడ్డీ రేటు (%),
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,తిరిగి చెల్లించడంలో ఆలస్యం జరిగితే ప్రతిరోజూ పెండింగ్‌లో ఉన్న వడ్డీ మొత్తంలో జరిమానా వడ్డీ రేటు విధించబడుతుంది,
-Grace Period in Days,రోజుల్లో గ్రేస్ పీరియడ్,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,రుణ తిరిగి చెల్లించడంలో ఆలస్యం జరిగితే జరిమానా వసూలు చేయబడని గడువు తేదీ నుండి రోజుల సంఖ్య,
-Pledge,ప్లెడ్జ్,
-Post Haircut Amount,హ్యారీకట్ మొత్తాన్ని పోస్ట్ చేయండి,
-Process Type,ప్రాసెస్ రకం,
-Update Time,నవీకరణ సమయం,
-Proposed Pledge,ప్రతిపాదిత ప్రతిజ్ఞ,
-Total Payment,మొత్తం చెల్లింపు,
-Balance Loan Amount,సంతులనం రుణ మొత్తం,
-Is Accrued,పెరిగింది,
 Salary Slip Loan,జీతం స్లిప్ లోన్,
 Loan Repayment Entry,రుణ తిరిగి చెల్లించే ఎంట్రీ,
-Sanctioned Loan Amount,మంజూరు చేసిన రుణ మొత్తం,
-Sanctioned Amount Limit,మంజూరు చేసిన మొత్తం పరిమితి,
-Unpledge,Unpledge,
-Haircut,హ్యారీకట్,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,షెడ్యూల్ రూపొందించండి,
 Schedules,షెడ్యూల్స్,
@@ -7885,7 +7749,6 @@
 Update Series,నవీకరణ సిరీస్,
 Change the starting / current sequence number of an existing series.,అప్పటికే ఉన్న సిరీస్ ప్రారంభం / ప్రస్తుత క్రమ సంఖ్య మార్చండి.,
 Prefix,ఆదిపదం,
-Current Value,కరెంట్ వేల్యూ,
 This is the number of the last created transaction with this prefix,ఈ ఉపసర్గ గత రూపొందించినవారు లావాదేవీ సంఖ్య,
 Update Series Number,నవీకరణ సిరీస్ సంఖ్య,
 Quotation Lost Reason,కొటేషన్ లాస్ట్ కారణము,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise క్రమాన్ని స్థాయి సిఫార్సు,
 Lead Details,లీడ్ వివరాలు,
 Lead Owner Efficiency,జట్టు యజమాని సమర్థత,
-Loan Repayment and Closure,రుణ తిరిగి చెల్లించడం మరియు మూసివేయడం,
-Loan Security Status,రుణ భద్రతా స్థితి,
 Lost Opportunity,అవకాశం కోల్పోయింది,
 Maintenance Schedules,నిర్వహణ షెడ్యూల్స్,
 Material Requests for which Supplier Quotations are not created,సరఫరాదారు కొటేషన్స్ రూపొందించినవారు లేని పదార్థం అభ్యర్థనలు,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},లక్ష్యంగా ఉన్న గణనలు: {0},
 Payment Account is mandatory,చెల్లింపు ఖాతా తప్పనిసరి,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","తనిఖీ చేస్తే, ఎటువంటి ప్రకటన లేదా రుజువు సమర్పణ లేకుండా ఆదాయపు పన్నును లెక్కించే ముందు పూర్తి మొత్తాన్ని పన్ను పరిధిలోకి వచ్చే ఆదాయం నుండి తీసివేయబడుతుంది.",
-Disbursement Details,పంపిణీ వివరాలు,
 Material Request Warehouse,మెటీరియల్ రిక్వెస్ట్ గిడ్డంగి,
 Select warehouse for material requests,మెటీరియల్ అభ్యర్థనల కోసం గిడ్డంగిని ఎంచుకోండి,
 Transfer Materials For Warehouse {0},గిడ్డంగి కోసం పదార్థాలను బదిలీ చేయండి {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,క్లెయిమ్ చేయని మొత్తాన్ని జీతం నుండి తిరిగి చెల్లించండి,
 Deduction from salary,జీతం నుండి మినహాయింపు,
 Expired Leaves,గడువు ముగిసిన ఆకులు,
-Reference No,సూచి సంఖ్య,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,హ్యారీకట్ శాతం అంటే రుణ భద్రత యొక్క మార్కెట్ విలువ మరియు ఆ రుణానికి అనుషంగికంగా ఉపయోగించినప్పుడు ఆ రుణ భద్రతకు సూచించిన విలువ మధ్య శాతం వ్యత్యాసం.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,లోన్ టు వాల్యూ రేషియో రుణ మొత్తం యొక్క నిష్పత్తిని ప్రతిజ్ఞ చేసిన భద్రత విలువకు తెలియజేస్తుంది. ఏదైనా for ణం కోసం పేర్కొన్న విలువ కంటే తక్కువగా ఉంటే రుణ భద్రతా కొరత ప్రేరేపించబడుతుంది,
 If this is not checked the loan by default will be considered as a Demand Loan,ఇది తనిఖీ చేయకపోతే అప్పును అప్పుగా డిమాండ్ లోన్‌గా పరిగణిస్తారు,
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,ఈ ఖాతా రుణగ్రహీత నుండి రుణ తిరిగి చెల్లించటానికి మరియు రుణగ్రహీతకు రుణాలు పంపిణీ చేయడానికి ఉపయోగించబడుతుంది,
 This account is capital account which is used to allocate capital for loan disbursal account ,"ఈ ఖాతా మూలధన ఖాతా, ఇది రుణ పంపిణీ ఖాతాకు మూలధనాన్ని కేటాయించడానికి ఉపయోగించబడుతుంది",
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},ఆపరేషన్ {0 the పని క్రమానికి చెందినది కాదు {1},
 Print UOM after Quantity,పరిమాణం తర్వాత UOM ను ముద్రించండి,
 Set default {0} account for perpetual inventory for non stock items,స్టాక్ కాని వస్తువుల కోసం శాశ్వత జాబితా కోసం డిఫాల్ట్ {0} ఖాతాను సెట్ చేయండి,
-Loan Security {0} added multiple times,లోన్ సెక్యూరిటీ {0 multiple అనేకసార్లు జోడించబడింది,
-Loan Securities with different LTV ratio cannot be pledged against one loan,వేర్వేరు ఎల్‌టివి నిష్పత్తి కలిగిన లోన్ సెక్యూరిటీలను ఒక రుణానికి వ్యతిరేకంగా ప్రతిజ్ఞ చేయలేము,
-Qty or Amount is mandatory for loan security!,రుణ భద్రత కోసం క్యూటీ లేదా మొత్తం తప్పనిసరి!,
-Only submittted unpledge requests can be approved,సమర్పించిన అన్‌ప్లెడ్జ్ అభ్యర్థనలను మాత్రమే ఆమోదించవచ్చు,
-Interest Amount or Principal Amount is mandatory,వడ్డీ మొత్తం లేదా ప్రిన్సిపాల్ మొత్తం తప్పనిసరి,
-Disbursed Amount cannot be greater than {0},పంపిణీ చేసిన మొత్తం {0 than కంటే ఎక్కువ ఉండకూడదు,
-Row {0}: Loan Security {1} added multiple times,అడ్డు వరుస {0}: రుణ భద్రత {1 multiple అనేకసార్లు జోడించబడింది,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,అడ్డు వరుస # {0}: పిల్లల అంశం ఉత్పత్తి బండిల్ కాకూడదు. దయచేసి అంశం {1 remove ను తీసివేసి సేవ్ చేయండి,
 Credit limit reached for customer {0},కస్టమర్ {0 credit కోసం క్రెడిట్ పరిమితి చేరుకుంది,
 Could not auto create Customer due to the following missing mandatory field(s):,కింది తప్పనిసరి ఫీల్డ్ (లు) లేనందున కస్టమర్‌ను ఆటో సృష్టించడం సాధ్యం కాలేదు:,
diff --git a/erpnext/translations/th.csv b/erpnext/translations/th.csv
index b7298a1..5d3d27b 100644
--- a/erpnext/translations/th.csv
+++ b/erpnext/translations/th.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","บังคับใช้หาก บริษัท คือ SpA, SApA หรือ SRL",
 Applicable if the company is a limited liability company,บังคับใช้หาก บริษัท เป็น บริษัท รับผิด จำกัด,
 Applicable if the company is an Individual or a Proprietorship,บังคับใช้หาก บริษัท เป็นบุคคลธรรมดาหรือเจ้าของกิจการ,
-Applicant,ผู้ขอ,
-Applicant Type,ประเภทผู้สมัคร,
 Application of Funds (Assets),การใช้ประโยชน์กองทุน (สินทรัพย์),
 Application period cannot be across two allocation records,ระยะเวลาการสมัครต้องไม่เกินสองระเบียนการจัดสรร,
 Application period cannot be outside leave allocation period,รับสมัครไม่สามารถออกจากนอกระยะเวลาการจัดสรร,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,รายชื่อผู้ถือหุ้นที่มีหมายเลข folio,
 Loading Payment System,กำลังโหลดระบบการชำระเงิน,
 Loan,เงินกู้,
-Loan Amount cannot exceed Maximum Loan Amount of {0},วงเงินกู้ไม่เกินจำนวนเงินกู้สูงสุดของ {0},
-Loan Application,การขอสินเชื่อ,
-Loan Management,การจัดการสินเชื่อ,
-Loan Repayment,การชำระคืนเงินกู้,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,วันที่เริ่มต้นสินเชื่อและระยะเวลากู้มีผลบังคับใช้ในการบันทึกการลดใบแจ้งหนี้,
 Loans (Liabilities),เงินให้กู้ยืม ( หนี้สิน ),
 Loans and Advances (Assets),เงินให้กู้ยืม และ เงินทดรอง ( สินทรัพย์ ),
@@ -1611,7 +1605,6 @@
 Monday,วันจันทร์,
 Monthly,รายเดือน,
 Monthly Distribution,การกระจายรายเดือน,
-Monthly Repayment Amount cannot be greater than Loan Amount,จำนวนเงินที่ชำระหนี้รายเดือนไม่สามารถจะสูงกว่าจำนวนเงินกู้,
 More,เพิ่ม,
 More Information,ข้อมูลมากกว่านี้,
 More than one selection for {0} not allowed,ไม่อนุญาตให้เลือกมากกว่าหนึ่งรายการสำหรับ {0},
@@ -1884,11 +1877,9 @@
 Pay {0} {1},ชำระเงิน {0} {1},
 Payable,ที่ต้องชำระ,
 Payable Account,เจ้าหนี้การค้า,
-Payable Amount,จำนวนเจ้าหนี้,
 Payment,วิธีการชำระเงิน,
 Payment Cancelled. Please check your GoCardless Account for more details,ยกเลิกการชำระเงินแล้ว โปรดตรวจสอบบัญชี GoCardless ของคุณเพื่อดูรายละเอียดเพิ่มเติม,
 Payment Confirmation,การยืนยันการชำระเงิน,
-Payment Date,วันจ่าย,
 Payment Days,วันชำระเงิน,
 Payment Document,เอกสารการชำระเงิน,
 Payment Due Date,วันที่ครบกำหนด ชำระเงิน,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,กรุณาใส่ใบเสร็จรับเงินครั้งแรก,
 Please enter Receipt Document,กรุณากรอกเอกสารใบเสร็จรับเงิน,
 Please enter Reference date,กรุณากรอก วันที่ อ้างอิง,
-Please enter Repayment Periods,กรุณากรอกระยะเวลาการชำระคืน,
 Please enter Reqd by Date,โปรดป้อน Reqd by Date,
 Please enter Woocommerce Server URL,โปรดป้อน URL เซิร์ฟเวอร์ Woocommerce,
 Please enter Write Off Account,กรุณากรอกตัวอักษร เขียน ปิด บัญชี,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,กรุณาใส่ ศูนย์ ค่าใช้จ่าย ของผู้ปกครอง,
 Please enter quantity for Item {0},กรุณากรอก ปริมาณ รายการ {0},
 Please enter relieving date.,กรุณากรอก วันที่ บรรเทา,
-Please enter repayment Amount,กรุณากรอกจำนวนเงินการชำระหนี้,
 Please enter valid Financial Year Start and End Dates,กรุณากรอกเริ่มต้นปีงบการเงินที่ถูกต้องและวันที่สิ้นสุด,
 Please enter valid email address,โปรดป้อนที่อยู่อีเมลที่ถูกต้อง,
 Please enter {0} first,กรุณากรอก {0} แรก,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,กฎการกำหนดราคาจะถูกกรองต่อไปขึ้นอยู่กับปริมาณ,
 Primary Address Details,รายละเอียดที่อยู่หลัก,
 Primary Contact Details,รายละเอียดการติดต่อหลัก,
-Principal Amount,เงินต้น,
 Print Format,พิมพ์รูปแบบ,
 Print IRS 1099 Forms,"พิมพ์ฟอร์ม IRS 1,099",
 Print Report Card,พิมพ์บัตรรายงาน,
@@ -2550,7 +2538,6 @@
 Sample Collection,การเก็บตัวอย่าง,
 Sample quantity {0} cannot be more than received quantity {1},ปริมาณตัวอย่าง {0} ไม่สามารถมากกว่าปริมาณที่ได้รับ {1},
 Sanctioned,ตามทำนองคลองธรรม,
-Sanctioned Amount,จำนวนตามทำนองคลองธรรม,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ตามทำนองคลองธรรมจำนวนเงินไม่สามารถจะสูงกว่าจำนวนเงินที่เรียกร้องในแถว {0},
 Sand,ทราย,
 Saturday,วันเสาร์,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} มี parent Parent {1} อยู่แล้ว,
 API,API,
 Annual,ประจำปี,
-Approved,ได้รับการอนุมัติ,
 Change,เปลี่ยนแปลง,
 Contact Email,ติดต่ออีเมล์,
 Export Type,ประเภทการส่งออก,
@@ -3571,7 +3557,6 @@
 Account Value,มูลค่าบัญชี,
 Account is mandatory to get payment entries,บัญชีจำเป็นต้องมีเพื่อรับรายการชำระเงิน,
 Account is not set for the dashboard chart {0},บัญชีไม่ถูกตั้งค่าสำหรับแผนภูมิแดชบอร์ด {0},
-Account {0} does not belong to company {1},บัญชี {0} ไม่ได้เป็นของ บริษัท {1},
 Account {0} does not exists in the dashboard chart {1},บัญชี {0} ไม่มีอยู่ในแผนภูมิแดชบอร์ด {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,บัญชี: <b>{0}</b> เป็นงานที่อยู่ระหว่างดำเนินการและไม่สามารถอัพเดตได้โดยรายการบันทึก,
 Account: {0} is not permitted under Payment Entry,บัญชี: {0} ไม่ได้รับอนุญาตภายใต้รายการชำระเงิน,
@@ -3582,7 +3567,6 @@
 Activity,กิจกรรม,
 Add / Manage Email Accounts.,เพิ่ม / จัดการอีเมล,
 Add Child,เพิ่ม เด็ก,
-Add Loan Security,เพิ่มความปลอดภัยสินเชื่อ,
 Add Multiple,เพิ่มหลายรายการ,
 Add Participants,เพิ่มผู้เข้าร่วม,
 Add to Featured Item,เพิ่มไปยังรายการแนะนำ,
@@ -3593,15 +3577,12 @@
 Address Line 1,ที่อยู่บรรทัดที่ 1,
 Addresses,ที่อยู่,
 Admission End Date should be greater than Admission Start Date.,วันที่สิ้นสุดการรับสมัครควรมากกว่าวันที่เริ่มต้นการรับสมัคร,
-Against Loan,ต่อสินเชื่อ,
-Against Loan:,ต่อสินเชื่อ,
 All,ทั้งหมด,
 All bank transactions have been created,สร้างธุรกรรมธนาคารทั้งหมดแล้ว,
 All the depreciations has been booked,การคิดค่าเสื่อมราคาทั้งหมดได้รับการจอง,
 Allocation Expired!,การจัดสรรหมดอายุ!,
 Allow Resetting Service Level Agreement from Support Settings.,อนุญาตการรีเซ็ตข้อตกลงระดับบริการจากการตั้งค่าการสนับสนุน,
 Amount of {0} is required for Loan closure,ต้องมีจำนวน {0} สำหรับการปิดสินเชื่อ,
-Amount paid cannot be zero,จำนวนเงินที่ชำระต้องไม่เป็นศูนย์,
 Applied Coupon Code,รหัสคูปองที่ใช้แล้ว,
 Apply Coupon Code,ใช้รหัสคูปอง,
 Appointment Booking,การจองการนัดหมาย,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,ไม่สามารถคำนวณเวลามาถึงได้เนื่องจากที่อยู่ของไดรเวอร์หายไป,
 Cannot Optimize Route as Driver Address is Missing.,ไม่สามารถปรับเส้นทางให้เหมาะสมเนื่องจากที่อยู่ไดรเวอร์หายไป,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,ไม่สามารถดำเนินการงาน {0} ให้สมบูรณ์เนื่องจากงานที่ขึ้นต่อกัน {1} ไม่ได้ถูกคอมไพล์หรือยกเลิก,
-Cannot create loan until application is approved,ไม่สามารถสร้างเงินกู้จนกว่าใบสมัครจะได้รับการอนุมัติ,
 Cannot find a matching Item. Please select some other value for {0}.,ไม่พบรายการที่ตรงกัน กรุณาเลือกบางค่าอื่น ๆ สำหรับ {0},
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings",ไม่สามารถเรียกเก็บเงินเกินขนาดสำหรับรายการ {0} ในแถว {1} มากกว่า {2} หากต้องการอนุญาตการเรียกเก็บเงินมากเกินไปโปรดตั้งค่าเผื่อในการตั้งค่าบัญชี,
 "Capacity Planning Error, planned start time can not be same as end time",ข้อผิดพลาดการวางแผนกำลังการผลิตเวลาเริ่มต้นตามแผนต้องไม่เหมือนกับเวลาสิ้นสุด,
@@ -3812,20 +3792,9 @@
 Less Than Amount,น้อยกว่าจำนวนเงิน,
 Liabilities,หนี้สิน,
 Loading...,กำลังโหลด ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,จำนวนเงินกู้เกินจำนวนเงินกู้สูงสุด {0} ตามหลักทรัพย์ที่เสนอ,
 Loan Applications from customers and employees.,การขอสินเชื่อจากลูกค้าและพนักงาน,
-Loan Disbursement,การเบิกจ่ายสินเชื่อ,
 Loan Processes,กระบวนการสินเชื่อ,
-Loan Security,ความปลอดภัยของสินเชื่อ,
-Loan Security Pledge,จำนำหลักประกันสินเชื่อ,
-Loan Security Pledge Created : {0},สร้างหลักประกันความปลอดภัยสินเชื่อ: {0},
-Loan Security Price,ราคาหลักประกัน,
-Loan Security Price overlapping with {0},ราคาความปลอดภัยสินเชื่อทับซ้อนกับ {0},
-Loan Security Unpledge,Unpledge ความปลอดภัยสินเชื่อ,
-Loan Security Value,มูลค่าหลักประกัน,
 Loan Type for interest and penalty rates,ประเภทสินเชื่อสำหรับอัตราดอกเบี้ยและค่าปรับ,
-Loan amount cannot be greater than {0},จำนวนเงินกู้ไม่สามารถมากกว่า {0},
-Loan is mandatory,สินเชื่อมีผลบังคับใช้,
 Loans,เงินให้กู้ยืม,
 Loans provided to customers and employees.,เงินให้กู้ยืมแก่ลูกค้าและพนักงาน,
 Location,ตำแหน่ง,
@@ -3894,7 +3863,6 @@
 Pay,จ่ายเงิน,
 Payment Document Type,ประเภทเอกสารการชำระเงิน,
 Payment Name,ชื่อการชำระเงิน,
-Penalty Amount,จำนวนโทษ,
 Pending,คาราคาซัง,
 Performance,ประสิทธิภาพ,
 Period based On,ระยะเวลาขึ้นอยู่กับ,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,โปรดเข้าสู่ระบบในฐานะผู้ใช้ Marketplace เพื่อแก้ไขรายการนี้,
 Please login as a Marketplace User to report this item.,โปรดเข้าสู่ระบบในฐานะผู้ใช้ Marketplace เพื่อรายงานรายการนี้,
 Please select <b>Template Type</b> to download template,โปรดเลือก <b>ประเภทเทมเพลต</b> เพื่อดาวน์โหลดเทมเพลต,
-Please select Applicant Type first,โปรดเลือกประเภทผู้สมัครก่อน,
 Please select Customer first,โปรดเลือกลูกค้าก่อน,
 Please select Item Code first,กรุณาเลือกรหัสสินค้าก่อน,
-Please select Loan Type for company {0},โปรดเลือกประเภทสินเชื่อสำหรับ บริษัท {0},
 Please select a Delivery Note,กรุณาเลือกใบส่งมอบ,
 Please select a Sales Person for item: {0},โปรดเลือกพนักงานขายสำหรับรายการ: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',โปรดเลือกวิธีการชำระเงินอื่น แถบไม่รองรับธุรกรรมในสกุลเงิน &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},โปรดตั้งค่าบัญชีธนาคารเริ่มต้นสำหรับ บริษัท {0},
 Please specify,โปรดระบุ,
 Please specify a {0},โปรดระบุ {0},lead
-Pledge Status,สถานะการจำนำ,
-Pledge Time,เวลาจำนำ,
 Printing,การพิมพ์,
 Priority,บุริมสิทธิ์,
 Priority has been changed to {0}.,ลำดับความสำคัญถูกเปลี่ยนเป็น {0},
@@ -3944,7 +3908,6 @@
 Processing XML Files,กำลังประมวลผลไฟล์ XML,
 Profitability,การทำกำไร,
 Project,โครงการ,
-Proposed Pledges are mandatory for secured Loans,คำมั่นสัญญาที่เสนอมีผลบังคับใช้สำหรับสินเชื่อที่มีความปลอดภัย,
 Provide the academic year and set the starting and ending date.,ระบุปีการศึกษาและกำหนดวันเริ่มต้นและสิ้นสุด,
 Public token is missing for this bank,โทเค็นสาธารณะหายไปสำหรับธนาคารนี้,
 Publish,ประกาศ,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,ใบเสร็จรับเงินซื้อไม่มีรายการใด ๆ ที่เปิดใช้งานเก็บตัวอย่างไว้,
 Purchase Return,ซื้อกลับ,
 Qty of Finished Goods Item,จำนวนสินค้าสำเร็จรูป,
-Qty or Amount is mandatroy for loan security,จำนวนหรือจำนวนเงินคือ mandatroy สำหรับการรักษาความปลอดภัยสินเชื่อ,
 Quality Inspection required for Item {0} to submit,ต้องการการตรวจสอบคุณภาพสำหรับรายการ {0},
 Quantity to Manufacture,ปริมาณการผลิต,
 Quantity to Manufacture can not be zero for the operation {0},ปริมาณการผลิตไม่สามารถเป็นศูนย์สำหรับการดำเนินการ {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,วันที่บรรเทาจะต้องมากกว่าหรือเท่ากับวันที่เข้าร่วม,
 Rename,ตั้งชื่อใหม่,
 Rename Not Allowed,ไม่อนุญาตให้เปลี่ยนชื่อ,
-Repayment Method is mandatory for term loans,วิธีการชำระคืนมีผลบังคับใช้สำหรับสินเชื่อระยะยาว,
-Repayment Start Date is mandatory for term loans,วันที่เริ่มต้นชำระคืนมีผลบังคับใช้กับสินเชื่อระยะยาว,
 Report Item,รายการรายงาน,
 Report this Item,รายงานรายการนี้,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,ปริมาณที่สงวนไว้สำหรับการรับเหมาช่วง: ปริมาณวัตถุดิบเพื่อทำรายการรับเหมาช่วง,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},แถว ({0}): {1} ถูกลดราคาใน {2} แล้ว,
 Rows Added in {0},เพิ่มแถวใน {0},
 Rows Removed in {0},แถวถูกลบใน {0},
-Sanctioned Amount limit crossed for {0} {1},ข้ามขีด จำกัด ตามจำนวนที่อนุญาตสำหรับ {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},จำนวนเงินกู้ที่ถูกลงโทษมีอยู่แล้วสำหรับ {0} กับ บริษัท {1},
 Save,บันทึก,
 Save Item,บันทึกรายการ,
 Saved Items,รายการที่บันทึกไว้,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,ผู้ใช้ {0} ถูกปิดใช้งาน,
 Users and Permissions,ผู้ใช้และสิทธิ์,
 Vacancies cannot be lower than the current openings,ตำแหน่งงานต้องไม่ต่ำกว่าช่องเปิดปัจจุบัน,
-Valid From Time must be lesser than Valid Upto Time.,ใช้งานได้จากเวลาจะต้องน้อยกว่าเวลาที่ใช้ได้ไม่เกิน,
 Valuation Rate required for Item {0} at row {1},ต้องมีการประเมินค่าอัตราสำหรับรายการ {0} ที่แถว {1},
 Values Out Of Sync,ค่าไม่ซิงค์กัน,
 Vehicle Type is required if Mode of Transport is Road,ต้องระบุประเภทยานพาหนะหากโหมดการขนส่งเป็นถนน,
@@ -4211,7 +4168,6 @@
 Add to Cart,ใส่ในรถเข็น,
 Days Since Last Order,วันนับตั้งแต่คำสั่งซื้อล่าสุด,
 In Stock,ในสต็อก,
-Loan Amount is mandatory,จำนวนเงินกู้เป็นสิ่งจำเป็น,
 Mode Of Payment,โหมดของการชำระเงิน,
 No students Found,ไม่พบนักเรียน,
 Not in Stock,ไม่ได้อยู่ในสต็อก,
@@ -4240,7 +4196,6 @@
 Group by,กลุ่มตาม,
 In stock,มีสินค้าในสต๊อก,
 Item name,ชื่อรายการ,
-Loan amount is mandatory,จำนวนเงินกู้เป็นสิ่งจำเป็น,
 Minimum Qty,จำนวนขั้นต่ำ,
 More details,รายละเอียดเพิ่มเติม,
 Nature of Supplies,ธรรมชาติของวัสดุ,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,จำนวนที่เสร็จสมบูรณ์โดยรวม,
 Qty to Manufacture,จำนวนการผลิต,
 Repay From Salary can be selected only for term loans,การชำระคืนจากเงินเดือนสามารถเลือกได้เฉพาะสำหรับเงินกู้ระยะยาว,
-No valid Loan Security Price found for {0},ไม่พบราคาหลักประกันเงินกู้ที่ถูกต้องสำหรับ {0},
-Loan Account and Payment Account cannot be same,บัญชีเงินกู้และบัญชีการชำระเงินต้องไม่เหมือนกัน,
-Loan Security Pledge can only be created for secured loans,การจำนำความปลอดภัยของเงินกู้สามารถสร้างได้สำหรับเงินกู้ที่มีหลักประกันเท่านั้น,
 Social Media Campaigns,แคมเปญโซเชียลมีเดีย,
 From Date can not be greater than To Date,From Date ต้องไม่มากกว่าถึงวันที่,
 Please set a Customer linked to the Patient,โปรดตั้งค่าลูกค้าที่เชื่อมโยงกับผู้ป่วย,
@@ -6437,7 +6389,6 @@
 HR User,ผู้ใช้งานทรัพยากรบุคคล,
 Appointment Letter,จดหมายนัด,
 Job Applicant,ผู้สมัครงาน,
-Applicant Name,ชื่อผู้ยื่นคำขอ,
 Appointment Date,วันที่นัดหมาย,
 Appointment Letter Template,เทมเพลตจดหมายแต่งตั้ง,
 Body,ร่างกาย,
@@ -7059,99 +7010,12 @@
 Sync in Progress,ซิงค์อยู่ระหว่างดำเนินการ,
 Hub Seller Name,ชื่อผู้ขาย Hub,
 Custom Data,ข้อมูลที่กำหนดเอง,
-Member,สมาชิก,
-Partially Disbursed,การเบิกจ่ายบางส่วน,
-Loan Closure Requested,ขอปิดสินเชื่อ,
 Repay From Salary,ชำระคืนจากเงินเดือน,
-Loan Details,รายละเอียดเงินกู้,
-Loan Type,ประเภทเงินกู้,
-Loan Amount,การกู้ยืมเงิน,
-Is Secured Loan,สินเชื่อที่มีหลักประกัน,
-Rate of Interest (%) / Year,อัตราดอกเบี้ย (%) / ปี,
-Disbursement Date,วันที่เบิกจ่าย,
-Disbursed Amount,จำนวนเงินที่เบิกจ่าย,
-Is Term Loan,เป็นเงินกู้ระยะยาว,
-Repayment Method,วิธีการชำระหนี้,
-Repay Fixed Amount per Period,ชำระคืนจำนวนคงที่ต่อปีระยะเวลา,
-Repay Over Number of Periods,ชำระคืนกว่าจำนวนงวด,
-Repayment Period in Months,ระยะเวลาชำระหนี้ในเดือน,
-Monthly Repayment Amount,จำนวนเงินที่ชำระหนี้รายเดือน,
-Repayment Start Date,วันที่เริ่มชำระคืน,
-Loan Security Details,รายละเอียดความปลอดภัยสินเชื่อ,
-Maximum Loan Value,มูลค่าสินเชื่อสูงสุด,
-Account Info,ข้อมูลบัญชี,
-Loan Account,บัญชีเงินกู้,
-Interest Income Account,บัญชีรายได้ดอกเบี้ย,
-Penalty Income Account,บัญชีรายรับค่าปรับ,
-Repayment Schedule,กำหนดชำระคืน,
-Total Payable Amount,รวมจำนวนเงินที่จ่าย,
-Total Principal Paid,เงินต้นรวมที่จ่าย,
-Total Interest Payable,ดอกเบี้ยรวมเจ้าหนี้,
-Total Amount Paid,จำนวนเงินที่จ่าย,
-Loan Manager,ผู้จัดการสินเชื่อ,
-Loan Info,ข้อมูลสินเชื่อ,
-Rate of Interest,อัตราดอกเบี้ย,
-Proposed Pledges,คำมั่นสัญญาที่เสนอ,
-Maximum Loan Amount,จำนวนเงินกู้สูงสุด,
-Repayment Info,ข้อมูลการชำระหนี้,
-Total Payable Interest,รวมดอกเบี้ยเจ้าหนี้,
-Against Loan ,ต่อต้านเงินกู้,
-Loan Interest Accrual,ดอกเบี้ยค้างรับ,
-Amounts,จํานวนเงิน,
-Pending Principal Amount,จำนวนเงินต้นที่รออนุมัติ,
-Payable Principal Amount,จำนวนเงินต้นเจ้าหนี้,
-Paid Principal Amount,จำนวนเงินต้นที่ชำระ,
-Paid Interest Amount,จำนวนดอกเบี้ยจ่าย,
-Process Loan Interest Accrual,ประมวลผลดอกเบี้ยค้างรับสินเชื่อ,
-Repayment Schedule Name,ชื่อกำหนดการชำระคืน,
 Regular Payment,ชำระเงินปกติ,
 Loan Closure,การปิดสินเชื่อ,
-Payment Details,รายละเอียดการชำระเงิน,
-Interest Payable,ดอกเบี้ยค้างจ่าย,
-Amount Paid,จำนวนเงินที่ชำระ,
-Principal Amount Paid,จำนวนเงินที่จ่าย,
-Repayment Details,รายละเอียดการชำระคืน,
-Loan Repayment Detail,รายละเอียดการชำระคืนเงินกู้,
-Loan Security Name,ชื่อหลักประกันสินเชื่อ,
-Unit Of Measure,หน่วยวัด,
-Loan Security Code,รหัสความปลอดภัยของสินเชื่อ,
-Loan Security Type,ประเภทหลักประกัน,
-Haircut %,ตัดผม%,
-Loan  Details,รายละเอียดสินเชื่อ,
-Unpledged,Unpledged,
-Pledged,ให้คำมั่นสัญญา,
-Partially Pledged,จำนำบางส่วน,
-Securities,หลักทรัพย์,
-Total Security Value,มูลค่าความปลอดภัยทั้งหมด,
-Loan Security Shortfall,ความไม่มั่นคงของสินเชื่อ,
-Loan ,เงินกู้,
-Shortfall Time,เวลาที่สั้น,
-America/New_York,อเมริกา / New_York,
-Shortfall Amount,จำนวนเงินที่ขาด,
-Security Value ,ค่าความปลอดภัย,
-Process Loan Security Shortfall,ความล้มเหลวของความปลอดภัยสินเชื่อกระบวนการ,
-Loan To Value Ratio,อัตราส่วนสินเชื่อต่อมูลค่า,
-Unpledge Time,ปลดเวลา,
-Loan Name,ชื่อเงินกู้,
 Rate of Interest (%) Yearly,อัตราดอกเบี้ย (%) ประจำปี,
-Penalty Interest Rate (%) Per Day,อัตราดอกเบี้ยค่าปรับ (%) ต่อวัน,
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,อัตราดอกเบี้ยจะถูกเรียกเก็บจากจำนวนดอกเบี้ยที่ค้างอยู่ทุกวันในกรณีที่มีการชำระคืนล่าช้า,
-Grace Period in Days,ระยะเวลาปลอดหนี้เป็นวัน,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,จำนวนวันนับจากวันที่ครบกำหนดจนถึงที่จะไม่มีการเรียกเก็บค่าปรับในกรณีที่ชำระคืนเงินกู้ล่าช้า,
-Pledge,จำนำ,
-Post Haircut Amount,จำนวนเงินที่โพสต์ตัดผม,
-Process Type,ประเภทกระบวนการ,
-Update Time,อัปเดตเวลา,
-Proposed Pledge,จำนำเสนอ,
-Total Payment,การชำระเงินรวม,
-Balance Loan Amount,ยอดคงเหลือวงเงินกู้,
-Is Accrued,มีการค้างชำระ,
 Salary Slip Loan,สินเชื่อลื่น,
 Loan Repayment Entry,รายการชำระคืนเงินกู้,
-Sanctioned Loan Amount,จำนวนเงินกู้ตามทำนองคลองธรรม,
-Sanctioned Amount Limit,วงเงินจำนวนที่ถูกลงโทษ,
-Unpledge,Unpledge,
-Haircut,การตัดผม,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,สร้างแผนกำหนดการ,
 Schedules,ตารางเวลา,
@@ -7885,7 +7749,6 @@
 Update Series,Series ปรับปรุง,
 Change the starting / current sequence number of an existing series.,เปลี่ยนหมายเลขลำดับเริ่มต้น / ปัจจุบันของชุดที่มีอยู่,
 Prefix,อุปสรรค,
-Current Value,ค่าปัจจุบัน,
 This is the number of the last created transaction with this prefix,นี่คือหมายเลขของรายการที่สร้างขึ้นล่าสุดกับคำนำหน้านี้,
 Update Series Number,จำนวน Series ปรับปรุง,
 Quotation Lost Reason,ใบเสนอราคา Lost เหตุผล,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,แนะนำ Itemwise Reorder ระดับ,
 Lead Details,รายละเอียดของช่องทาง,
 Lead Owner Efficiency,ประสิทธิภาพของเจ้าของตะกั่ว,
-Loan Repayment and Closure,การชำระคืนเงินกู้และการปิดสินเชื่อ,
-Loan Security Status,สถานะความปลอดภัยสินเชื่อ,
 Lost Opportunity,โอกาสที่หายไป,
 Maintenance Schedules,กำหนดการบำรุงรักษา,
 Material Requests for which Supplier Quotations are not created,ขอ วัสดุ ที่ ใบเสนอราคา ของผู้ผลิต ไม่ได้สร้างขึ้น,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},จำนวนเป้าหมาย: {0},
 Payment Account is mandatory,บัญชีการชำระเงินเป็นสิ่งจำเป็น,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.",หากตรวจสอบแล้วเงินเต็มจำนวนจะถูกหักออกจากรายได้ที่ต้องเสียภาษีก่อนคำนวณภาษีเงินได้โดยไม่ต้องมีการสำแดงหรือส่งหลักฐานใด ๆ,
-Disbursement Details,รายละเอียดการเบิกจ่าย,
 Material Request Warehouse,คลังสินค้าขอวัสดุ,
 Select warehouse for material requests,เลือกคลังสินค้าสำหรับคำขอวัสดุ,
 Transfer Materials For Warehouse {0},โอนวัสดุสำหรับคลังสินค้า {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,ชำระคืนจำนวนเงินที่ไม่มีการเรียกร้องจากเงินเดือน,
 Deduction from salary,หักจากเงินเดือน,
 Expired Leaves,ใบหมดอายุ,
-Reference No,เลขอ้างอิง,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,เปอร์เซ็นต์การตัดผมคือเปอร์เซ็นต์ความแตกต่างระหว่างมูลค่าตลาดของหลักประกันเงินกู้กับมูลค่าที่ระบุไว้กับหลักประกันเงินกู้นั้นเมื่อใช้เป็นหลักประกันสำหรับเงินกู้นั้น,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,อัตราส่วนเงินกู้ต่อมูลค่าเป็นการแสดงอัตราส่วนของจำนวนเงินกู้ต่อมูลค่าของหลักประกันที่จำนำ การขาดความปลอดภัยของเงินกู้จะเกิดขึ้นหากต่ำกว่ามูลค่าที่ระบุสำหรับเงินกู้ใด ๆ,
 If this is not checked the loan by default will be considered as a Demand Loan,หากไม่ได้ตรวจสอบเงินกู้โดยค่าเริ่มต้นจะถือว่าเป็น Demand Loan,
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,บัญชีนี้ใช้สำหรับจองการชำระคืนเงินกู้จากผู้กู้และการเบิกจ่ายเงินกู้ให้กับผู้กู้,
 This account is capital account which is used to allocate capital for loan disbursal account ,บัญชีนี้เป็นบัญชีทุนที่ใช้ในการจัดสรรเงินทุนสำหรับบัญชีการเบิกจ่ายเงินกู้,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},การดำเนินการ {0} ไม่ได้อยู่ในใบสั่งงาน {1},
 Print UOM after Quantity,พิมพ์ UOM หลังจำนวน,
 Set default {0} account for perpetual inventory for non stock items,ตั้งค่าบัญชี {0} เริ่มต้นสำหรับสินค้าคงคลังถาวรสำหรับสินค้าที่ไม่มีในสต็อก,
-Loan Security {0} added multiple times,ความปลอดภัยของเงินกู้ {0} เพิ่มหลายครั้ง,
-Loan Securities with different LTV ratio cannot be pledged against one loan,หลักทรัพย์เงินกู้ที่มีอัตราส่วน LTV แตกต่างกันไม่สามารถนำไปจำนำกับเงินกู้เพียงก้อนเดียวได้,
-Qty or Amount is mandatory for loan security!,จำนวนหรือจำนวนเป็นสิ่งจำเป็นสำหรับการรักษาความปลอดภัยเงินกู้!,
-Only submittted unpledge requests can be approved,สามารถอนุมัติได้เฉพาะคำขอที่ไม่ได้ลงทะเบียนที่ส่งมาเท่านั้น,
-Interest Amount or Principal Amount is mandatory,จำนวนดอกเบี้ยหรือจำนวนเงินต้นเป็นข้อบังคับ,
-Disbursed Amount cannot be greater than {0},จำนวนเงินที่เบิกจ่ายต้องไม่เกิน {0},
-Row {0}: Loan Security {1} added multiple times,แถว {0}: Loan Security {1} เพิ่มหลายครั้ง,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,แถว # {0}: รายการย่อยไม่ควรเป็นกลุ่มผลิตภัณฑ์ โปรดลบรายการ {1} และบันทึก,
 Credit limit reached for customer {0},ถึงวงเงินสินเชื่อสำหรับลูกค้าแล้ว {0},
 Could not auto create Customer due to the following missing mandatory field(s):,ไม่สามารถสร้างลูกค้าโดยอัตโนมัติเนื่องจากไม่มีฟิลด์บังคับต่อไปนี้:,
diff --git a/erpnext/translations/tr.csv b/erpnext/translations/tr.csv
index f1358e3..b9e301a 100644
--- a/erpnext/translations/tr.csv
+++ b/erpnext/translations/tr.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Şirket SpA, SApA veya SRL ise uygulanabilir",
 Applicable if the company is a limited liability company,Şirket limited şirketi ise uygulanabilir,
 Applicable if the company is an Individual or a Proprietorship,Şirket Birey veya Mülkiyet ise uygulanabilir,
-Applicant,Başvuru Sahibi,
-Applicant Type,Başvuru Sahibi Türü,
 Application of Funds (Assets),fon (varlık) çalışması,
 Application period cannot be across two allocation records,Başvuru süresi iki ödenek boyunca kaydırılamaz,
 Application period cannot be outside leave allocation period,Uygulama süresi dışında izin tahsisi dönemi olamaz,
@@ -552,7 +550,7 @@
 Closing (Cr),Kapanış (Alacak),
 Closing (Dr),Kapanış (Borç),
 Closing (Opening + Total),Kapanış (Açılış + Toplam),
-"Closing Account {0} must be of type Liability / Equity","Kapanış Hesabı {0}, Borç / Özkaynak türünde olmalıdır",
+Closing Account {0} must be of type Liability / Equity,"Kapanış Hesabı {0}, Borç / Özkaynak türünde olmalıdır",
 Closing Balance,Kapanış bakiyesi,
 Code,Kod,
 Collapse All,Tümünü Daralt,
@@ -1449,11 +1447,11 @@
 Leave application {0} already exists against the student {1},{1} öğrencine karşı {0} çalışanı zaten bırak,
 "Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Öncelik tahsis edememek izin {0}, izin özellikleri zaten devredilen gelecek izin tahsisi kayıtlarında olduğu gibi {1}",
 "Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","İzin yapısı zaten devredilen gelecek izin tahsisi kayıtlarında olduğu gibi, daha önce {0} iptal / tatbik etmek anlamsız bırakın {1}",
-"Leave of type {0} cannot be longer than {1}","{0} türündeki izin, {1}'den uzun olamaz",
+Leave of type {0} cannot be longer than {1},"{0} türündeki izin, {1}'den uzun olamaz",
 Leaves,İzinler,
 Leaves Allocated Successfully for {0},{0} için Başarıyla Tahsis Edilen İzinler,
 Leaves has been granted sucessfully,İzinler başarıyla verildi,
-"Leaves must be allocated in multiples of 0.5","İzinler 0,5'in katları şeklinde tahsis edilmelidir",
+Leaves must be allocated in multiples of 0.5,"İzinler 0,5'in katları şeklinde tahsis edilmelidir",
 Leaves per Year,Yıllık İzin,
 Ledger,Defteri Kebir,
 Legal,Yasal,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Folio numaraları ile mevcut Hissedarların listesi,
 Loading Payment System,Ödeme Sistemi Yükleniyor,
 Loan,Kredi,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Kredi Miktarı Maksimum Kredi Tutarı geçemez {0},
-Loan Application,Kredi Başvurusu,
-Loan Management,Kredi Yönetimi,
-Loan Repayment,Kredi Geri Ödemesi,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Fatura İndirimi’nin kaydedilmesi için Kredi Başlangıç Tarihi ve Kredi Süresi zorunludur,
 Loans (Liabilities),Krediler (Yükümlülükler),
 Loans and Advances (Assets),Krediler ve Avanslar (Varlıklar),
@@ -1611,7 +1605,6 @@
 Monday,Pazartesi,
 Monthly,Aylık,
 Monthly Distribution,Aylık Dağılımı,
-Monthly Repayment Amount cannot be greater than Loan Amount,Aylık Geri Ödeme Tutarı Kredi Miktarı daha büyük olamaz,
 More,Daha fazla,
 More Information,Daha Fazla Bilgi,
 More than one selection for {0} not allowed,{0} için birden fazla seçime izin verilmiyor,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},{0} {1} öde,
 Payable,Ödenecek Borç,
 Payable Account,Ödenecek Hesap,
-Payable Amount,Ödenecek Tutar,
 Payment,Ödeme,
 Payment Cancelled. Please check your GoCardless Account for more details,Ödeme iptal edildi. Daha fazla bilgi için lütfen GoCardless Hesabınızı kontrol edin,
 Payment Confirmation,Ödeme Onaylama,
-Payment Date,Ödeme Tarihi,
 Payment Days,Ödeme Günleri,
 Payment Document,Ödeme Belgesi,
 Payment Due Date,Son Ödeme Tarihi,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,Lütfen İlk Alış Fişini giriniz,
 Please enter Receipt Document,Lütfen Fiş Belgesini giriniz,
 Please enter Reference date,Referans tarihini girin,
-Please enter Repayment Periods,Geri Ödeme Süreleri giriniz,
 Please enter Reqd by Date,Lütfen Reqd'yi Tarihe Göre Girin,
 Please enter Woocommerce Server URL,Lütfen Woocommerce Sunucusu URL'sini girin,
 Please enter Write Off Account,Lütfen Şüpheli Alacak Hesabını Girin,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,Lütfen ana maliyet merkezi giriniz,
 Please enter quantity for Item {0},Lütfen Ürün {0} için miktar giriniz,
 Please enter relieving date.,Lütfen hafifletme tarihini girin.,
-Please enter repayment Amount,Lütfen geri ödeme Tutarını giriniz,
 Please enter valid Financial Year Start and End Dates,Geçerli Mali Yılı Başlangıç ve Bitiş Tarihleri girin,
 Please enter valid email address,Lütfen geçerli e-posta adresini girin,
 Please enter {0} first,İlk {0} giriniz,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Fiyatlandırma Kuralları miktara dayalı olarak tekrar filtrelenir.,
 Primary Address Details,Birincil Adres Ayrıntıları,
 Primary Contact Details,Birincil İletişim Bilgileri,
-Principal Amount,anapara çiftleri,
 Print Format,Yazdırma Formatı,
 Print IRS 1099 Forms,IRS 1099 Formlarını Yazdır,
 Print Report Card,Kartı Rapor Yazdır,
@@ -2550,7 +2538,6 @@
 Sample Collection,Örnek Koleksiyon,
 Sample quantity {0} cannot be more than received quantity {1},"Örnek miktarı {0}, alınan miktarn {1} fazla olamaz.",
 Sanctioned,seçildi,
-Sanctioned Amount,tasdik edilmiş tutarlar,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Yaptırıma Tutar Satır talep miktarı daha büyük olamaz {0}.,
 Sand,Kum,
 Saturday,Cumartesi,
@@ -3540,7 +3527,6 @@
 {0} already has a Parent Procedure {1}.,{0} zaten bir {1} veli yapıya sahip.,
 API,API,
 Annual,Yıllık,
-Approved,Onaylandı,
 Change,Değiştir,
 Contact Email,İletişim E-Posta,
 Export Type,Export Türü,
@@ -3570,7 +3556,6 @@
 Account Value,hesap değeri,
 Account is mandatory to get payment entries,Ödemeleri giriş almak için hesap yaptırımları,
 Account is not set for the dashboard chart {0},{0} gösterge tablo grafiği için hesap ayarlanmadı,
-Account {0} does not belong to company {1},Hesap {0} Şirkete ait değil {1},
 Account {0} does not exists in the dashboard chart {1},"{0} hesabı, {1} gösterge tablosunda yok",
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Hesap: <b>{0}</b> sermayedir Devam etmekte olan iş ve Yevmiye Kaydı tarafından güncellenemez,
 Account: {0} is not permitted under Payment Entry,Hesap: İzin verilmiyor altında {0} Ödeme Girişi,
@@ -3581,7 +3566,6 @@
 Activity,Aktivite,
 Add / Manage Email Accounts.,E-posta Hesaplarını Ekle / Yönet.,
 Add Child,Alt öğe ekle,
-Add Loan Security,Kredi Güvenliği Ekleme,
 Add Multiple,Çoklu Ekle,
 Add Participants,Katılımcı Ekle,
 Add to Featured Item,Öne Çıkan Öğeye Ekle,
@@ -3592,15 +3576,12 @@
 Address Line 1,Adres Satırı 1,
 Addresses,Adresler,
 Admission End Date should be greater than Admission Start Date.,"Giriş Bitiş Tarihi, Giriş Başlangıç Tarihinden büyük olmalıdır.",
-Against Loan,Krediye Karşı,
-Against Loan:,Krediye Karşı:,
 All,Tümü,
 All bank transactions have been created,Tüm banka işlemleri işletme,
 All the depreciations has been booked,Tüm amortismanlar rezerve edildi,
 Allocation Expired!,Tahsis Süresi Bitti!,
 Allow Resetting Service Level Agreement from Support Settings.,Servis Seviyesi Sözleşmesini Destek Ayarlarından Sıfırlamaya İzin Ver.,
 Amount of {0} is required for Loan closure,Kredi çıkışı için {0} barındırma gerekli,
-Amount paid cannot be zero,Ödenen tutarları sıfır olamaz,
 Applied Coupon Code,Uygulamalı Kupon Kodu,
 Apply Coupon Code,kupon üretme uygula,
 Appointment Booking,Randevu Rezervasyonu,
@@ -3648,7 +3629,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,Sürücü Adresi Eksiklerinden Varış Saati Hesaplanamıyor.,
 Cannot Optimize Route as Driver Address is Missing.,Sürücü Adresi Eksik Olarak Rotayı Optimize Etme,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,{0} görevi tamamlanamıyor çünkü görevli görevi {1} tamamlanmadı / iptal edilmedi.,
-Cannot create loan until application is approved,Başvuru onaylanana kadar kredi oluşturulamaz,
 Cannot find a matching Item. Please select some other value for {0}.,Eşleşen bir öğe bulunamıyor. İçin {0} diğer bazı değer seçiniz.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","{1} bilgisindeki {0} öğe için {2} &#39;den fazla öğe fazla faturalandırılamıyor. Fazla faturalandırmaya izin vermek için, lütfen Hesap Yapılandırmalarında ödenenek ayarını yapınız.",
 "Capacity Planning Error, planned start time can not be same as end time","Kapasite Planlama Hatası, patlama başlangıç zamanı bitiş zamanı ile aynı olamaz",
@@ -3811,20 +3791,9 @@
 Less Than Amount,Tutardan Az,
 Liabilities,Yükümlülükler,
 Loading...,Yükleniyor...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,"Kredi Tutarı, çekilen menkul kıymetlere göre maksimum {0} kredi tutarını aşıyor",
 Loan Applications from customers and employees.,Müşterilerden ve çalışanlardan kredi uygulamaları.,
-Loan Disbursement,Kredi Masrafı,
 Loan Processes,Kredi Süreçleri,
-Loan Security,Kredi Güvenliği,
-Loan Security Pledge,Kredi Güvenliği Taahhüdü,
-Loan Security Pledge Created : {0},Kredi Güvenliği Rehin Oluşturuldu: {0},
-Loan Security Price,Kredi Güvenliği Fiyatı,
-Loan Security Price overlapping with {0},{0} ile örtüşen Kredi Güvenliği Fiyatı,
-Loan Security Unpledge,Kredi Güvenliği Bilgisizliği,
-Loan Security Value,Kredi Güvenliği Değeri,
 Loan Type for interest and penalty rates,Faiz ve ceza oranları için Kredi Türü,
-Loan amount cannot be greater than {0},Kredi birimleri {0} &#39;dan fazla olamaz,
-Loan is mandatory,Kredi ağları,
 Loans,Krediler,
 Loans provided to customers and employees.,Müşterilere ve çalışanlara verilen krediler.,
 Location,Konum,
@@ -3893,7 +3862,6 @@
 Pay,Ödeme yap,
 Payment Document Type,Ödeme Belgesi Türü,
 Payment Name,Ödeme Adı,
-Penalty Amount,Ceza Tutarı,
 Pending,Bekliyor,
 Performance,Performans,
 Period based On,Tarihine Göre Dönem,
@@ -3915,10 +3883,8 @@
 Please login as a Marketplace User to edit this item.,Bu öğeyi düzenlemek için lütfen Marketplace Kullanıcısı olarak giriş yapın.,
 Please login as a Marketplace User to report this item.,Bu öğeyi incelemek için lütfen bir Marketplace Kullanıcısı olarak giriş yapın.,
 Please select <b>Template Type</b> to download template,<b>Şablonu</b> indirmek için lütfen <b>Şablon Türü'nü</b> seçin,
-Please select Applicant Type first,Lütfen önce Başvuru Türü'nü seçin,
 Please select Customer first,Lütfen önce Müşteriyi Seçin,
 Please select Item Code first,Lütfen önce Ürün Kodunu seçin,
-Please select Loan Type for company {0},Lütfen {0} şirketi için Kredi Türü'nü seçin,
 Please select a Delivery Note,Lütfen bir İrsaliye seçin,
 Please select a Sales Person for item: {0},Lütfen öğe için bir Satış Sorumlusu seçin: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',"Lütfen başka bir ödeme yöntemini seçin. şerit, &#39;{0}&#39; para birimini desteklemez",
@@ -3934,8 +3900,6 @@
 Please setup a default bank account for company {0},Lütfen {0} şirketi için genel bir banka hesabı kurun,
 Please specify,Lütfen belirtiniz,
 Please specify a {0},Lütfen bir {0} kullanmak,
-Pledge Status,Rehin Durumu,
-Pledge Time,Rehin Zamanı,
 Printing,Baskı,
 Priority,Öncelik,
 Priority has been changed to {0}.,Öncelik {0} olarak değiştirildi.,
@@ -3943,7 +3907,6 @@
 Processing XML Files,XML Dosyalarını İşleme,
 Profitability,Karlılık,
 Project,Proje,
-Proposed Pledges are mandatory for secured Loans,Teminatlı Krediler için verilen rehinlerin dağıtımı hizmetleri,
 Provide the academic year and set the starting and ending date.,Akademik yıl dönümü ve başlangıç ve bitiş tarihini ayarlayın.,
 Public token is missing for this bank,Bu banka için genel belirteç eksik,
 Publish,Yayınla,
@@ -3959,7 +3922,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Satınalma Fişinde, Örneği Tut'un etkinleştirildiği bir Öğe yoktur.",
 Purchase Return,Satınalma İadesi,
 Qty of Finished Goods Item,Mamul Mal Miktarı,
-Qty or Amount is mandatroy for loan security,Miktar veya Miktar kredi güvenliği için zorunlu,
 Quality Inspection required for Item {0} to submit,{0} Ürününün gönderilmesi için Kalite Kontrol gerekli,
 Quantity to Manufacture,Üretim Miktarı,
 Quantity to Manufacture can not be zero for the operation {0},{0} işlemi için Üretim Miktarı sıfır olamaz,
@@ -3980,8 +3942,6 @@
 Relieving Date must be greater than or equal to Date of Joining,"Rahatlama Tarihi, Katılım Tarihinden büyük veya ona eşit olmalıdır",
 Rename,Yeniden adlandır,
 Rename Not Allowed,Yeniden Adlandırmaya İzin Verilmiyor,
-Repayment Method is mandatory for term loans,Vadeli krediler için geri ödeme yöntemleri,
-Repayment Start Date is mandatory for term loans,Vadeli krediler için geri ödeme başlangıç tarihi,
 Report Item,Öğeyi Bildir,
 Report this Item,Bu öğeyi bildirin,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Fason Üretim için Ayrılmış Adet: Fason üretim yapmak için hammadde miktarı.,
@@ -4014,8 +3974,6 @@
 Row({0}): {1} is already discounted in {2},"Satır ({0}): {1}, {2} için zaten indirimli",
 Rows Added in {0},{0} içindeki satırlar,
 Rows Removed in {0},{0} sonuçları Satırlar Kaldırıldı,
-Sanctioned Amount limit crossed for {0} {1},{0} {1} için Onaylanan Tutar sınırı aşıldı,
-Sanctioned Loan Amount already exists for {0} against company {1},{1} yerleştirme karşı {0} için Onaylanan Kredi Tutarı zaten var,
 Save,Kaydet,
 Save Item,Öğeyi Kaydet,
 Saved Items,Kaydedilen Öğeler,
@@ -4134,7 +4092,6 @@
 User {0} is disabled,Kullanıcı {0} devre dışı,
 Users and Permissions,Kullanıcılar ve İzinler,
 Vacancies cannot be lower than the current openings,Boş pozisyonlar mevcut patlamalardan daha düşük olamaz,
-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.",
 Valuation Rate required for Item {0} at row {1},{1} bilgisindeki {0} Maddesi için Değerleme Oranı gerekli,
 Values Out Of Sync,Senkronizasyon Dış Değerler,
 Vehicle Type is required if Mode of Transport is Road,Ulaşım Şekli Karayolu ise Araç Tipi gereklidir,
@@ -4210,7 +4167,6 @@
 Add to Cart,Sepete Ekle,
 Days Since Last Order,Son Siparişten Beri Geçen Gün Sayısı,
 In Stock,Stokta var,
-Loan Amount is mandatory,Kredi Tutarı cezaları,
 Mode Of Payment,Ödeme Şekli,
 No students Found,Öğrenci Bulunamadı,
 Not in Stock,Stokta yok,
@@ -4239,7 +4195,6 @@
 Group by,Gruplandır,
 In stock,Stokta,
 Item name,Ürün Adı,
-Loan amount is mandatory,Kredi tutarı zorunlu,
 Minimum Qty,Minimum Mik,
 More details,Daha fazla detay,
 Nature of Supplies,Malzemelerin Doğası,
@@ -4408,9 +4363,6 @@
 Total Completed Qty,Toplam Tamamlanan Miktar,
 Qty to Manufacture,Üretilecek Miktar,
 Repay From Salary can be selected only for term loans,Maaştan Geri Ödeme beklemek krediler için kullanmak,
-No valid Loan Security Price found for {0},{0} için geçerli bir Kredi Menkul Kıymet Fiyatı bulunamadı,
-Loan Account and Payment Account cannot be same,Kredi Hesabı ve Ödeme Hesabı aynı olamaz,
-Loan Security Pledge can only be created for secured loans,Kredi Teminat Rehni yalnızca garantili krediler için oluşturulabilir,
 Social Media Campaigns,Sosyal Medya Kampanyaları,
 From Date can not be greater than To Date,"Başlangıç Tarihi, Bitiş Tarihinden büyük olamaz",
 Please set a Customer linked to the Patient,Lütfen Hastaya bağlı bir müşteri seçtiği,
@@ -6436,7 +6388,6 @@
 HR User,İK Kullanıcısı,
 Appointment Letter,Randevu mektubu,
 Job Applicant,İş Başvuru Sahiibi,
-Applicant Name,başvuru sahibi adı,
 Appointment Date,Randevu Tarihi,
 Appointment Letter Template,Randevu Mektubu Şablonu,
 Body,vücut,
@@ -7058,99 +7009,12 @@
 Sync in Progress,Senkronizasyon Devam Ediyor,
 Hub Seller Name,Hub Satıcı Adı,
 Custom Data,özel veri,
-Member,Üye,
-Partially Disbursed,Kısmen Ödeme yapılmış,
-Loan Closure Requested,Kredi Kapanışı İstendi,
 Repay From Salary,Maaşdan Öde,
-Loan Details,Kredi Detayları,
-Loan Type,Kredi Türü,
-Loan Amount,Kredi Tutarı,
-Is Secured Loan,Teminatlı Kredi,
-Rate of Interest (%) / Year,İlgi (%) / Yılın Oranı,
-Disbursement Date,Masraf Tarihi,
-Disbursed Amount,Masraf Harcama Tutarı,
-Is Term Loan,Vadeli Kredi,
-Repayment Method,Geri Ödeme Yöntemi,
-Repay Fixed Amount per Period,Dönem başına Sabit Tutar Geri Ödeme,
-Repay Over Number of Periods,Sürelerinin üzeri sayısı Geri Ödeme,
-Repayment Period in Months,Aylar Geri içinde Ödeme Süresi,
-Monthly Repayment Amount,Aylık Geri Ödeme Tutarı,
-Repayment Start Date,Geri Ödeme Başlangıç Tarihi,
-Loan Security Details,Kredi Güvenliği Detayları,
-Maximum Loan Value,Maksimum Kredi Değeri,
-Account Info,Hesap Bilgisi,
-Loan Account,Kredi Hesabı,
-Interest Income Account,Faiz Gelir Hesabı,
-Penalty Income Account,Ceza Geliri Hesabı,
-Repayment Schedule,Geri Ödeme Planı,
-Total Payable Amount,Toplam Ödenecek Tutar,
-Total Principal Paid,Toplam Ödenen Anapara,
-Total Interest Payable,Toplam Ödenecek Faiz,
-Total Amount Paid,Toplam Ödenen Tutar,
-Loan Manager,Kredi Yöneticisi,
-Loan Info,Kredi Bilgisi,
-Rate of Interest,Faiz Oranı,
-Proposed Pledges,Gelişmiş Rehinler,
-Maximum Loan Amount,Maksimum Kredi Tutarı,
-Repayment Info,Geri Ödeme Bilgisi,
-Total Payable Interest,Toplam Ödenecek Faiz,
-Against Loan ,Krediye Karşı,
-Loan Interest Accrual,Kredi Faiz Tahakkuku,
-Amounts,Tutarlar,
-Pending Principal Amount,Bekleyen Anapara Tutarı,
-Payable Principal Amount,Ödenecek Anapara Tutarı,
-Paid Principal Amount,Ödenen Anapara Tutarı,
-Paid Interest Amount,Ödenen Faiz Tutarı,
-Process Loan Interest Accrual,Kredi Faiz Tahakkuku Süreci,
-Repayment Schedule Name,Geri Ödeme Planı Adı,
 Regular Payment,Düzenli Ödeme,
 Loan Closure,Kredi Kapanışı,
-Payment Details,Ödeme Detayları,
-Interest Payable,Ödenecek Faiz,
-Amount Paid,Ödenen Tutar;,
-Principal Amount Paid,Ödenen Anapara Tutarı,
-Repayment Details,Geri Ödeme Ayrıntıları,
-Loan Repayment Detail,Kredi Geri Ödeme Detayı,
-Loan Security Name,Kredi Güvenlik Adı,
-Unit Of Measure,Ölçü Birimi,
-Loan Security Code,Kredi Güvenlik Kodu,
-Loan Security Type,Kredi Güvenlik Türü,
-Haircut %,Saç Kesimi %,
-Loan  Details,Kredi Detayları,
-Unpledged,taahhütsüz,
-Pledged,Rehin,
-Partially Pledged,Kısmen Rehin Verildi,
-Securities,senetler,
-Total Security Value,Toplam Güvenlik Değeri,
-Loan Security Shortfall,Kredi Güvenliği Eksikliği,
-Loan ,Kredi ,
-Shortfall Time,Eksik Zaman,
-America/New_York,Amerika / New_York,
-Shortfall Amount,Eksiklik Tutarı,
-Security Value ,Güvenlik Değeri,
-Process Loan Security Shortfall,Kredi Güvenlik Açığı Süreci,
-Loan To Value Ratio,Kredi / Değer Oranı,
-Unpledge Time,Rehin Zamanı,
-Loan Name,Kredi Adı,
 Rate of Interest (%) Yearly,Yıllık Faiz Oranı (%),
-Penalty Interest Rate (%) Per Day,Günlük Ceza Faiz Oranı (%),
-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 alınan faiz oranı tahakkuk eden faiz oranı alınır.",
-Grace Period in Days,Gün olarak Ek Süre,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,"Kredi geri ödemesinde gecikme olması durumunda, vade kurallarından cezanın uygulanmayacağı gün sayısı",
-Pledge,Rehin,
-Post Haircut Amount,Post Saç Kesimi Miktarı,
-Process Type,İşlem türü,
-Update Time,Zamanı Güncelle,
-Proposed Pledge,Yetenekli Rehin,
-Total Payment,Toplam Ödeme,
-Balance Loan Amount,Bakiye Kredi Miktarı,
-Is Accrued,Tahakkuk Edildi,
 Salary Slip Loan,Maaş Kaybı Kredisi,
 Loan Repayment Entry,Kredi Geri Ödeme Girişi,
-Sanctioned Loan Amount,Onaylanan Kredi Tutarı,
-Sanctioned Amount Limit,Onaylanan Tutar Sınırı,
-Unpledge,Taahhüdü iptal et,
-Haircut,Saç Kesimi,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Program Oluşturmanın,
 Schedules,programlı,
@@ -7884,7 +7748,6 @@
 Update Series,Seriyi Güncelle,
 Change the starting / current sequence number of an existing series.,Varolan bir serinin başlangıcı / geçerli sıra numarası kuralları.,
 Prefix,Önek,
-Current Value,Geçerli Değer,
 This is the number of the last created transaction with this prefix,Bu ön ekle son genişleme miktarıdır,
 Update Series Number,Seri Numaralarını Güncelle,
 Quotation Lost Reason,Teklif Kayıp Nedeni,
@@ -8515,8 +8378,6 @@
 Itemwise Recommended Reorder Level,Ürün için Önerilen Yeniden Sipariş Düzeyi,
 Lead Details,Müşteri Adayı Detayı,
 Lead Owner Efficiency,Aday Sahibi Verimliliği,
-Loan Repayment and Closure,Kredi Geri Ödeme ve Kapanışı,
-Loan Security Status,Kredi Güvenlik Durumu,
 Lost Opportunity,Fırsat Kaybedildi,
 Maintenance Schedules,Bakım Programları,
 Material Requests for which Supplier Quotations are not created,Tedarikçi Tekliflerinin oluşturulmadığı Malzeme Talepleri,
@@ -8607,7 +8468,6 @@
 Counts Targeted: {0},Hedeflenen Sayım: {0},
 Payment Account is mandatory,Ödeme Hesabı verileri,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","İşaretliyse, tutarın tamamı, herhangi bir beyan veya kanıt sunmaktan gelir vergisi hesabından önce vergiye tabi gelirden düşülecektir.",
-Disbursement Details,Harcama Ayrıntıları,
 Material Request Warehouse,Malzeme Talebi Deposu,
 Select warehouse for material requests,Malzeme aksesuarları için depo seçin,
 Transfer Materials For Warehouse {0},Depo İçin Transfer Malzemeleri {0},
@@ -8995,9 +8855,6 @@
 Repay unclaimed amount from salary,Talep edilmeyen maaştan geri ödeyin,
 Deduction from salary,Maaştan kesinti,
 Expired Leaves,Süresi biten İzinler,
-Reference No,Referans Numarası,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,"Kesinti yüzdesi, Kredi Teminatının piyasa değeri ile o kredi için teminat olarak teminat olarak o Kredi Güvencesine atfedilen değer arasındaki yüzde farkıdır.",
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,"Kredi Değer Oranı, kredi borçlarının taahhüdünde bulunulan menkul değerin harcanması gerektiğini ifade eder. Herhangi bir kredi için belirtilen değerin altına düşerse bir kredi güvenlik açığı tetiklenir",
 If this is not checked the loan by default will be considered as a Demand Loan,"Bu kontrol reddedilirse, varsayılan olarak kredi bir Talep Kredisi olarak kabul edilecektir.",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,"Bu hesap, borçludan kredi geri ödemelerini yapmak ve ayrıca borçluya kredi vermek için kullanılır.",
 This account is capital account which is used to allocate capital for loan disbursal account ,"Bu hesap, kredi ödeme hesabına sermaye tahsis etmek için kullanılan sermaye hesabıdır.",
@@ -9461,13 +9318,6 @@
 Operation {0} does not belong to the work order {1},"{0} işlemi, {1} iş emrine ait değil",
 Print UOM after Quantity,Miktardan Sonra Birimi Yazdır,
 Set default {0} account for perpetual inventory for non stock items,Stokta olmayan sunucular için kalıcı envanter için yerleşik {0} hesabını ayarladı,
-Loan Security {0} added multiple times,Kredi Güvenliği {0} birden çok kez eklendi,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Farklı LTV kredilerine sahip Kredi Menkul Kıymetleri tek bir krediye karşı rehin olamaz,
-Qty or Amount is mandatory for loan security!,Kredi kurtarma için Miktar veya Miktar müşterileri!,
-Only submittted unpledge requests can be approved,Yalnızca gönderilmiş makbuz işlemleri onaylanabilir,
-Interest Amount or Principal Amount is mandatory,Faiz Tutarı veya Anapara Tutarı yaptırımları,
-Disbursed Amount cannot be greater than {0},Ödenen Tutar en fazla {0} olabilir,
-Row {0}: Loan Security {1} added multiple times,Satır {0}: Kredi Teminatı {1} birden çok kez eklendi,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,"Satır # {0}: Alt Öğe, Ürün Paketi paketi. Lütfen {1} Öğesini yükleme ve Kaydedin",
 Credit limit reached for customer {0},{0} müşterisi için kredi limitine ulaşıldı,
 Could not auto create Customer due to the following missing mandatory field(s):,Aşağıdaki zorunlu grupları eksik olması müşteri nedeniyle otomatik olarak oluşturulamadı:,
@@ -9524,7 +9374,7 @@
 Provide the invoice portion in percent,Fatura kısmı yüzde olarak yönlendirme,
 Give number of days according to prior selection,Önceki seçime göre gün sayısını verin,
 Email Details,E-posta Ayrıntıları,
-"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Alıcı için bir selamlama hitabı seçin. Örneğin Sayın vb.",
+"Select a greeting for the receiver. E.g. Mr., Ms., etc.",Alıcı için bir selamlama hitabı seçin. Örneğin Sayın vb.,
 Preview Email,E-posta Önizlemesi,
 Please select a Supplier,Lütfen bir Tedarikçi seçiniz,
 Supplier Lead Time (days),Tedarikçi Teslimat Süresi (gün),
@@ -9821,7 +9671,7 @@
 Cannot deliver Serial No {0} of item {1} as it is reserved to fullfill Sales Order {2},Satış Siparişini muhafaza etmek için yükümlülüklerinden {1} öğenin Seri Numarası {0} teslim edilemiyor {2},
 "Sales Order {0} has reservation for the item {1}, you can only deliver reserved {1} against {0}.","Satış Siparişi {0}, {1} parça için rezervasyona sahip, yalnızca {0} oda {1} ayrılmış olarak teslim alabilir.",
 {0} Serial No {1} cannot be delivered,{0} Seri No {1} teslim edilemiyor,
-Row {0}: Subcontracted Item is mandatory for the raw material {1},"Satır {0}: Taşeronluk Öğe {1} hammaddesi için zorunludur",
+Row {0}: Subcontracted Item is mandatory for the raw material {1},Satır {0}: Taşeronluk Öğe {1} hammaddesi için zorunludur,
 "As there are sufficient raw materials, Material Request is not required for Warehouse {0}.","Yeterli hammadde olduğundan, Depo {0} için Malzeme Talebi gerekli değildir.",
 " If you still want to proceed, please enable {0}.","Hala devam etmek istiyorsanız, lütfen {0} &#39;yi etkinleştirin.",
 The item referenced by {0} - {1} is already invoiced,{0} - {1} tarafından referans verilen öğe zaten faturalanmış,
@@ -9901,13 +9751,13 @@
 Naming Series and Price Defaults,Adlandırma Serisi ve Fiyat Varsayılanları,
 Configure the action to stop the transaction or just warn if the same rate is not maintained.,İşlemi durdurmak için eylemi yapılandırın veya aynı oran korunmazsa sadece uyarı verin.,
 Bill for Rejected Quantity in Purchase Invoice,Alış Faturasında Reddedilen Miktar Faturası,
-"If checked, Rejected Quantity will be included while making Purchase Invoice from Purchase Receipt.","İşaretlenirse Satınalma İrsaliyesinden Satınalma Faturası yapılırken Reddedilen Miktar dahil edilecektir.",
+"If checked, Rejected Quantity will be included while making Purchase Invoice from Purchase Receipt.",İşaretlenirse Satınalma İrsaliyesinden Satınalma Faturası yapılırken Reddedilen Miktar dahil edilecektir.,
 Disable Last Purchase Rate,Son Satınalma Oranını Devre Dışı Bırak,
 Role Allowed to Override Stop Action,Durdurma Eylemini Geçersiz kılma izni olan Rol,
 "Review Stock Settings\n\nIn ERPNext, the Stock module\u2019s features are configurable as per your business needs. Stock Settings is the place where you can set your preferences for:\n- Default values for Item and Pricing\n- Default valuation method for inventory valuation\n- Set preference for serialization and batching of item\n- Set tolerance for over-receipt and delivery of items","# Stok Ayarlarını İnceleyin\n\nERPNext'te, Stok modülünün\u2019 özellikleri iş ihtiyaçlarınıza göre yapılandırılabilir. Stok Ayarları, şunlar için tercihlerinizi ayarlayabileceğiniz yerdir:\n- Öğe ve Fiyatlandırma için varsayılan değerler\n- Envanter değerlemesi için varsayılan değerleme yöntemi\n- Kalemlerin serileştirilmesi ve gruplandırılması için tercihi ayarlayın\n- Kalemlerin fazla girişi ve teslimatı için toleransı ayarlayın",
 Auto close Opportunity Replied after the no. of days mentioned above,Yukarıda belirtilen gün sayısından sonra Yanıtlanan Fırsatı Otomatik Kapat,
 Carry Forward Communication and Comments,İletişimi ve Yorumları Devret,
-"All the Comments and Emails will be copied from one document to another newly created document(Lead -> Opportunity -> Quotation) throughout the CRM documents.","Tüm Yorumlar ve E-postalar, CRM belgeleri boyunca bir belgeden yeni oluşturulan başka bir belgeye (Yol -> Fırsat -> Teklif) kopyalanacaktır.",
+All the Comments and Emails will be copied from one document to another newly created document(Lead -> Opportunity -> Quotation) throughout the CRM documents.,"Tüm Yorumlar ve E-postalar, CRM belgeleri boyunca bir belgeden yeni oluşturulan başka bir belgeye (Yol -> Fırsat -> Teklif) kopyalanacaktır.",
 Allow Continuous Material Consumption,Sürekli Malzeme Tüketimi Sağlayın,
 Allow material consumptions without immediately manufacturing finished goods against a Work Order,Bir İş Emrine göre bitmiş ürünleri hemen üretmeden malzeme tüketimine izin verin,
 Allow material consumptions without immediately manufacturing finished goods against a Work Order,Bir İş Emrine göre bitmiş ürünleri hemen üretmeden malzeme tüketimine izin verin,
@@ -9934,14 +9784,12 @@
 Partly Paid,Kısmen Ödenmiş,
 Partly Paid and Discounted,Kısmen Ödenmiş ve İndirimli,
 Fixed Time,Sabit Süre,
-Loan Write Off,Kredi İptali,
 Returns,İadeler,
 Leads,Adaylar,
 Forecasting,Tahmin,
 In Location,Konumda,
 Disposed,Elden Çıkarıldı,
 Additional Info,Ek Bilgi,
-Loan Write Off,Kredi İptali,
 Prospect,Potansiyel Müşteri,
 Workstation Type,İş İstasyonu Türü,
 Work Order Consumed Materials,İş Emri Sarf Malzemeleri,
@@ -9980,7 +9828,6 @@
 "If mentioned, the system will allow only the users with this Role to create or modify any stock transaction earlier than the latest stock transaction for a specific item and warehouse. If set as blank, it allows all users to create/edit back-dated transactions.","Belirtilirse, sistem yalnızca bu Role sahip kullanıcıların belirli bir kalem ve depo için en son stok işleminden önceki herhangi bir stok işlemini oluşturmasına veya değiştirmesine izin verecektir. Boş olarak ayarlanırsa, tüm kullanıcıların geçmiş tarihli oluşturmasına/düzenlemesine izin verir. işlemler.",
 Stock transactions that are older than the mentioned days cannot be modified.,Belirtilen günlerden daha eski olan hisse senedi işlemleri değiştirilemez.,
 "The percentage you are allowed to transfer more against the quantity ordered. For example, if you have ordered 100 units, and your Allowance is 10%, then you are allowed transfer 110 units.","Sipariş edilen miktara göre daha fazla transfer etmenize izin verilen yüzde. Örneğin, 100 birim sipariş ettiyseniz ve Ödeneğiniz %10 ise, 110 birim transfer etmenize izin verilir.",
-Loan Write Off will be automatically created on loan closure request if pending amount is below this limit,"Kredi kapatma talebinde, bekleyen tutarın bu limitin altında olması durumunda, Kredi Kapatma talebi otomatik olarak oluşturulur",
 "Link that is the website home page. Standard Links (home, login, products, blog, about, contact)","Web sitesi ana sayfası olan bağlantı. Standart Bağlantılar (ana sayfa, giriş, ürünler, blog, hakkında, iletişim)",
 Show Language Picker,Dil Seçiciyi Göster,
 Login Page,Login / Giriş Sayfası,
@@ -10018,7 +9865,7 @@
 Is Scrap Item,Hurda Ögesi mi,
 Is Rate Adjustment Entry (Debit Note),Kur Ayarlama Girişi (Borç Senedi),
 Issue a debit note with 0 qty against an existing Sales Invoice,Mevcut bir Satış Faturasına karşı 0 adet borç dekontu düzenleyin,
-"To use Google Indexing, enable Google Settings.","Google Dizine Eklemeyi kullanmak için Google Ayarlarını etkinleştirin.",
+"To use Google Indexing, enable Google Settings.",Google Dizine Eklemeyi kullanmak için Google Ayarlarını etkinleştirin.,
 Show Net Values in Party Account,Cari Hesabındaki Net Değerleri Göster,
 Begin typing for results.,Sonuçlar için yazmaya başlayın.,
 Invoice Portion (%),Fatura Porsiyonu (%),
@@ -10038,9 +9885,6 @@
 Item Reference,Öğe Referansı,
 Bank Reconciliation Tool,Banka Uzlaştırma Aracı,
 Sales Order Reference,Satış Siparişi Referansı,
-Disbursement Account,Harcama Hesabı,
-Repayment Account,Geri Ödeme Hesabı,
-Auto Write Off Amount ,Otomatik Kapatma Tutarı,
 Contact & Address,İletişim ve Adres,
 Ref DocType,Ref Belge Türü,
 FG Warehouse,Mamul Deposu,
diff --git a/erpnext/translations/uk.csv b/erpnext/translations/uk.csv
index 6322d7b..0208544 100644
--- a/erpnext/translations/uk.csv
+++ b/erpnext/translations/uk.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Застосовується, якщо компанія є SpA, SApA або SRL",
 Applicable if the company is a limited liability company,"Застосовується, якщо компанія є товариством з обмеженою відповідальністю",
 Applicable if the company is an Individual or a Proprietorship,"Застосовується, якщо компанія є фізичною особою або власником",
-Applicant,Заявник,
-Applicant Type,Тип заявника,
 Application of Funds (Assets),Застосування засобів (активів),
 Application period cannot be across two allocation records,Період заявки не може бути розподілений між двома записами про розподіл,
 Application period cannot be outside leave allocation period,Термін подачі заяв не може бути за межами періоду призначених відпусток,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Список доступних акціонерів з номерами фоліо,
 Loading Payment System,Завантаження платіжної системи,
 Loan,Кредит,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Сума кредиту не може перевищувати максимальний Сума кредиту {0},
-Loan Application,Заявка на позику,
-Loan Management,Кредитний менеджмент,
-Loan Repayment,погашення позики,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Дата початку позики та період позики є обов&#39;язковими для збереження дисконтування рахунків-фактур,
 Loans (Liabilities),Кредити (зобов&#39;язання),
 Loans and Advances (Assets),Кредити та аванси (активи),
@@ -1611,7 +1605,6 @@
 Monday,Понеділок,
 Monthly,Щомісяця,
 Monthly Distribution,Місячний розподіл,
-Monthly Repayment Amount cannot be greater than Loan Amount,"Щомісячне погашення Сума не може бути більше, ніж сума позики",
 More,Більш,
 More Information,Більше інформації,
 More than one selection for {0} not allowed,Більше одного вибору для {0} не дозволено,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Заплатити {0} {1},
 Payable,До оплати,
 Payable Account,Оплачується аккаунт,
-Payable Amount,Сума до сплати,
 Payment,Оплата,
 Payment Cancelled. Please check your GoCardless Account for more details,"Оплата скасована. Будь ласка, перевірте свій GoCardless рахунок для отримання додаткової інформації",
 Payment Confirmation,Підтвердження платежу,
-Payment Date,Дата оплати,
 Payment Days,Дні оплати,
 Payment Document,Платіжний документ,
 Payment Due Date,Дата платежу,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,"Будь ласка, введіть прихідну накладну спершу",
 Please enter Receipt Document,"Будь ласка, введіть Квитанція документ",
 Please enter Reference date,"Будь ласка, введіть дату Reference",
-Please enter Repayment Periods,"Будь ласка, введіть терміни погашення",
 Please enter Reqd by Date,"Будь ласка, введіть Reqd за датою",
 Please enter Woocommerce Server URL,"Будь ласка, введіть URL-адресу сервера Woocommerce",
 Please enter Write Off Account,"Будь ласка, введіть рахунок списання",
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,"Будь ласка, введіть батьківський центр витрат",
 Please enter quantity for Item {0},"Будь ласка, введіть кількість для {0}",
 Please enter relieving date.,"Будь ласка, введіть дату зняття.",
-Please enter repayment Amount,"Будь ласка, введіть Сума погашення",
 Please enter valid Financial Year Start and End Dates,"Будь ласка, введіть дійсні дати початку та закінчення бюджетного періоду",
 Please enter valid email address,"Будь ласка, введіть адресу електронної пошти",
 Please enter {0} first,"Будь ласка, введіть {0} в першу чергу",
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Ціни Правила далі фільтруються на основі кількості.,
 Primary Address Details,Основна адреса інформації,
 Primary Contact Details,Основна контактна інформація,
-Principal Amount,Основна сума,
 Print Format,Формат друку,
 Print IRS 1099 Forms,Друк форм IRS 1099,
 Print Report Card,Друк звіту картки,
@@ -2550,7 +2538,6 @@
 Sample Collection,Збірка зразків,
 Sample quantity {0} cannot be more than received quantity {1},Обсяг вибірки {0} не може перевищувати отриману кількість {1},
 Sanctioned,Санкціоновані,
-Sanctioned Amount,Санкціонована сума,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,"Санкціонований сума не може бути більше, ніж претензії Сума в рядку {0}.",
 Sand,Пісок,
 Saturday,Субота,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} вже має батьківську процедуру {1}.,
 API,API,
 Annual,Річний,
-Approved,Затверджений,
 Change,Зміна,
 Contact Email,Контактний Email,
 Export Type,Тип експорту,
@@ -3571,7 +3557,6 @@
 Account Value,Значення рахунку,
 Account is mandatory to get payment entries,Рахунок обов&#39;язковий для отримання платіжних записів,
 Account is not set for the dashboard chart {0},Обліковий запис не встановлено для діаграми інформаційної панелі {0},
-Account {0} does not belong to company {1},Рахунок {0} не належать компанії {1},
 Account {0} does not exists in the dashboard chart {1},Обліковий запис {0} не існує в діаграмі інформаційної панелі {1},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,"Рахунок: <b>{0}</b> - це капітал Незавершене виробництво, і його не можна оновлювати в журналі",
 Account: {0} is not permitted under Payment Entry,Рахунок: {0} заборонено вводити платіж,
@@ -3582,7 +3567,6 @@
 Activity,Діяльність,
 Add / Manage Email Accounts.,Додати / Управління обліковими записами електронної пошти.,
 Add Child,Додати підлеглий елемент,
-Add Loan Security,Додати гарантію позики,
 Add Multiple,Додати кілька,
 Add Participants,Додати учасників,
 Add to Featured Item,Додати до обраного елемента,
@@ -3593,15 +3577,12 @@
 Address Line 1,Адресний рядок 1,
 Addresses,Адреси,
 Admission End Date should be greater than Admission Start Date.,"Кінцева дата прийому повинна бути більшою, ніж дата початку прийому.",
-Against Loan,Проти позики,
-Against Loan:,Проти позики:,
 All,ВСІ,
 All bank transactions have been created,Усі банківські операції створені,
 All the depreciations has been booked,Усі амортизації заброньовані,
 Allocation Expired!,Виділення минуло!,
 Allow Resetting Service Level Agreement from Support Settings.,Дозволити скидання Угоди про рівень обслуговування з налаштувань підтримки.,
 Amount of {0} is required for Loan closure,Для закриття позики необхідна сума {0},
-Amount paid cannot be zero,Сума сплаченої суми не може дорівнювати нулю,
 Applied Coupon Code,Прикладний купонний код,
 Apply Coupon Code,Застосовуйте купонний код,
 Appointment Booking,Призначення бронювання,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,"Неможливо обчислити час прибуття, оскільки адреса драйвера відсутня.",
 Cannot Optimize Route as Driver Address is Missing.,"Не вдається оптимізувати маршрут, оскільки адреса драйвера відсутня.",
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Не вдається виконати завдання {0}, оскільки його залежне завдання {1} не завершено / скасовано.",
-Cannot create loan until application is approved,"Неможливо створити позику, поки заява не буде схвалена",
 Cannot find a matching Item. Please select some other value for {0}.,"Не можете знайти відповідний пункт. Будь ласка, виберіть інше значення для {0}.",
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Неможливо перерахувати рахунок за пункт {0} у рядку {1} більше {2}. Щоб дозволити перевитрати, установіть надбавку у Налаштуваннях акаунтів",
 "Capacity Planning Error, planned start time can not be same as end time","Помилка планування потенціалу, запланований час початку не може бути таким, як час закінчення",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Менша сума,
 Liabilities,Зобов&#39;язання,
 Loading...,Завантаження ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Сума позики перевищує максимальну суму позики {0} відповідно до запропонованих цінних паперів,
 Loan Applications from customers and employees.,Заявки на позику від клієнтів та співробітників.,
-Loan Disbursement,Виплата кредитів,
 Loan Processes,Процеси позики,
-Loan Security,Гарантія позики,
-Loan Security Pledge,Позика під заставу,
-Loan Security Pledge Created : {0},Створено заставу під заставу: {0},
-Loan Security Price,Ціна позикової позики,
-Loan Security Price overlapping with {0},"Ціна забезпечення позики, що перекривається на {0}",
-Loan Security Unpledge,Поповнення застави,
-Loan Security Value,Значення безпеки позики,
 Loan Type for interest and penalty rates,Тип позики під відсотки та штрафні ставки,
-Loan amount cannot be greater than {0},Сума позики не може перевищувати {0},
-Loan is mandatory,Позика є обов’язковою,
 Loans,Кредити,
 Loans provided to customers and employees.,"Кредити, надані клієнтам та працівникам.",
 Location,Місцезнаходження,
@@ -3894,7 +3863,6 @@
 Pay,Платити,
 Payment Document Type,Тип платіжного документа,
 Payment Name,Назва платежу,
-Penalty Amount,Сума штрафу,
 Pending,До,
 Performance,Продуктивність,
 Period based On,"Період, заснований на",
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,"Будь ласка, увійдіть як користувач Marketplace, щоб редагувати цей елемент.",
 Please login as a Marketplace User to report this item.,"Будь ласка, увійдіть як користувач Marketplace, щоб повідомити про цей товар.",
 Please select <b>Template Type</b> to download template,Виберіть <b>Тип шаблону</b> для завантаження шаблону,
-Please select Applicant Type first,Виберіть спочатку Тип заявника,
 Please select Customer first,Виберіть спочатку Клієнта,
 Please select Item Code first,Виберіть спочатку Код товару,
-Please select Loan Type for company {0},Виберіть тип кредиту для компанії {0},
 Please select a Delivery Note,Виберіть Примітку про доставку,
 Please select a Sales Person for item: {0},Виберіть особу продавця для товару: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',"Будь ласка, виберіть інший спосіб оплати. Stripe не підтримує транзакції в валюті «{0}»",
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Установіть банківський рахунок за замовчуванням для компанії {0},
 Please specify,Будь ласка уточніть,
 Please specify a {0},Укажіть {0},lead
-Pledge Status,Статус застави,
-Pledge Time,Час застави,
 Printing,Друк,
 Priority,Пріоритет,
 Priority has been changed to {0}.,Пріоритет змінено на {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Обробка XML-файлів,
 Profitability,Рентабельність,
 Project,Проект,
-Proposed Pledges are mandatory for secured Loans,Запропоновані застави є обов&#39;язковими для забезпечених позик,
 Provide the academic year and set the starting and ending date.,Укажіть навчальний рік та встановіть дату початку та закінчення.,
 Public token is missing for this bank,Для цього банку немає публічного маркера,
 Publish,Опублікувати,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"У квитанції про придбання немає жодного предмета, для якого увімкнено Затримати зразок.",
 Purchase Return,Купівля Повернення,
 Qty of Finished Goods Item,Кількість предмета готової продукції,
-Qty or Amount is mandatroy for loan security,Кількість або сума - мандатрой для забезпечення позики,
 Quality Inspection required for Item {0} to submit,"Перевірка якості, необхідна для надсилання пункту {0}",
 Quantity to Manufacture,Кількість у виробництві,
 Quantity to Manufacture can not be zero for the operation {0},Кількість для виробництва не може бути нульовою для операції {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Дата звільнення повинна бути більшою або рівною даті приєднання,
 Rename,Перейменувати,
 Rename Not Allowed,Перейменування не дозволено,
-Repayment Method is mandatory for term loans,Метод погашення є обов&#39;язковим для строкових позик,
-Repayment Start Date is mandatory for term loans,Дата початку погашення є обов&#39;язковою для строкових позик,
 Report Item,Елемент звіту,
 Report this Item,Повідомити про цей елемент,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Кількість зарезервованих для субпідрядів: кількість сировини для виготовлення предметів субпідряду.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Рядок ({0}): {1} вже знижено в {2},
 Rows Added in {0},Рядки додано в {0},
 Rows Removed in {0},Рядки видалено через {0},
-Sanctioned Amount limit crossed for {0} {1},Межа санкціонованої суми перекреслена за {0} {1},
-Sanctioned Loan Amount already exists for {0} against company {1},Сума санкціонованої суми позики вже існує для {0} проти компанії {1},
 Save,Зберегти,
 Save Item,Зберегти елемент,
 Saved Items,Збережені елементи,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Користувач {0} відключена,
 Users and Permissions,Люди і дозволу,
 Vacancies cannot be lower than the current openings,Вакансії не можуть бути нижчими від поточних,
-Valid From Time must be lesser than Valid Upto Time.,"Дійсний з часом повинен бути меншим, ніж Дійсний час оновлення.",
 Valuation Rate required for Item {0} at row {1},"Коефіцієнт оцінювання, необхідний для позиції {0} у рядку {1}",
 Values Out Of Sync,Значення не синхронізовані,
 Vehicle Type is required if Mode of Transport is Road,"Тип транспортного засобу необхідний, якщо вид транспорту - дорожній",
@@ -4211,7 +4168,6 @@
 Add to Cart,Додати в кошик,
 Days Since Last Order,Дні з моменту останнього замовлення,
 In Stock,В наявності,
-Loan Amount is mandatory,Сума позики є обов&#39;язковою,
 Mode Of Payment,Спосіб платежу,
 No students Found,Не знайдено студентів,
 Not in Stock,Немає на складі,
@@ -4240,7 +4196,6 @@
 Group by,Групувати за,
 In stock,В наявності,
 Item name,Назва виробу,
-Loan amount is mandatory,Сума позики є обов&#39;язковою,
 Minimum Qty,Мінімальна кількість,
 More details,Детальніше,
 Nature of Supplies,Природа витратних матеріалів,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Всього виконано Кількість,
 Qty to Manufacture,К-сть для виробництва,
 Repay From Salary can be selected only for term loans,Погашення зарплати можна вибрати лише для строкових позик,
-No valid Loan Security Price found for {0},Для {0} не знайдено дійсних цін на забезпечення позики,
-Loan Account and Payment Account cannot be same,Позиковий рахунок і платіжний рахунок не можуть бути однаковими,
-Loan Security Pledge can only be created for secured loans,Заставу забезпечення позики можна створити лише під заставу,
 Social Media Campaigns,Кампанії в соціальних мережах,
 From Date can not be greater than To Date,"From Date не може бути більше, ніж To Date",
 Please set a Customer linked to the Patient,"Будь ласка, встановіть Клієнта, пов’язаного з Пацієнтом",
@@ -6437,7 +6389,6 @@
 HR User,HR Користувач,
 Appointment Letter,Лист про призначення,
 Job Applicant,Робота Заявник,
-Applicant Name,Заявник Ім&#39;я,
 Appointment Date,Дата призначення,
 Appointment Letter Template,Шаблон листа про призначення,
 Body,Тіло,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Синхронізація в процесі,
 Hub Seller Name,Назва продавця концентратора,
 Custom Data,Спеціальні дані,
-Member,Член,
-Partially Disbursed,частково Освоєно,
-Loan Closure Requested,Запитується закриття позики,
 Repay From Salary,Погашати із заробітної плати,
-Loan Details,кредит Детальніше,
-Loan Type,Тип кредиту,
-Loan Amount,Розмір позики,
-Is Secured Loan,Позика під заставу,
-Rate of Interest (%) / Year,Процентна ставка (%) / рік,
-Disbursement Date,витрачання Дата,
-Disbursed Amount,Виплачена сума,
-Is Term Loan,Є строкова позика,
-Repayment Method,спосіб погашення,
-Repay Fixed Amount per Period,Погашати фіксовану суму за період,
-Repay Over Number of Periods,Погашати Over Кількість періодів,
-Repayment Period in Months,Період погашення в місцях,
-Monthly Repayment Amount,Щомісячна сума погашення,
-Repayment Start Date,Дата початку погашення,
-Loan Security Details,Деталі забезпечення позики,
-Maximum Loan Value,Максимальна вартість позики,
-Account Info,Інформація про акаунт,
-Loan Account,Рахунок позики,
-Interest Income Account,Рахунок Процентні доходи,
-Penalty Income Account,Рахунок пені,
-Repayment Schedule,погашення Розклад,
-Total Payable Amount,Загальна сума оплачується,
-Total Principal Paid,Загальна сума сплаченої основної суми,
-Total Interest Payable,Загальний відсоток кредиторів,
-Total Amount Paid,Загальна сума сплачена,
-Loan Manager,Кредитний менеджер,
-Loan Info,Позика інформація,
-Rate of Interest,відсоткова ставка,
-Proposed Pledges,Запропоновані обіцянки,
-Maximum Loan Amount,Максимальна сума кредиту,
-Repayment Info,погашення інформація,
-Total Payable Interest,Загальна заборгованість за відсотками,
-Against Loan ,Проти Позики,
-Loan Interest Accrual,Нарахування процентних позик,
-Amounts,Суми,
-Pending Principal Amount,"Основна сума, що очікує на розгляд",
-Payable Principal Amount,"Основна сума, що підлягає сплаті",
-Paid Principal Amount,Сплачена основна сума,
-Paid Interest Amount,Сума сплачених відсотків,
-Process Loan Interest Accrual,Нарахування відсотків за кредитом,
-Repayment Schedule Name,Назва графіка погашення,
 Regular Payment,Регулярна оплата,
 Loan Closure,Закриття позики,
-Payment Details,Платіжні реквізити,
-Interest Payable,Виплата відсотків,
-Amount Paid,Виплачувана сума,
-Principal Amount Paid,Основна сплачена сума,
-Repayment Details,Деталі погашення,
-Loan Repayment Detail,Деталь погашення позики,
-Loan Security Name,Ім&#39;я безпеки позики,
-Unit Of Measure,Одиниця виміру,
-Loan Security Code,Кодекс забезпечення позики,
-Loan Security Type,Тип забезпечення позики,
-Haircut %,Стрижка%,
-Loan  Details,Деталі позики,
-Unpledged,Незакріплений,
-Pledged,Закладений,
-Partially Pledged,Частково заставлений,
-Securities,Цінні папери,
-Total Security Value,Загальне значення безпеки,
-Loan Security Shortfall,Дефіцит забезпечення позики,
-Loan ,Кредит,
-Shortfall Time,Час нестачі,
-America/New_York,Америка / Нью-Йорк,
-Shortfall Amount,Сума нестачі,
-Security Value ,Значення безпеки,
-Process Loan Security Shortfall,Дефіцит безпеки кредитного процесу,
-Loan To Value Ratio,Співвідношення позики до вартості,
-Unpledge Time,Час зняття,
-Loan Name,кредит Ім&#39;я,
 Rate of Interest (%) Yearly,Процентна ставка (%) Річний,
-Penalty Interest Rate (%) Per Day,Процентна ставка пені (%) на день,
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Процентна ставка пені щодня стягується із відкладеною сумою відсотків у разі затримки погашення,
-Grace Period in Days,Пільговий період у днях,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,"Кількість днів з дати настання строку, до якого штраф не стягуватиметься у разі затримки повернення позики",
-Pledge,Застава,
-Post Haircut Amount,Кількість стрижки після публікації,
-Process Type,Тип процесу,
-Update Time,Час оновлення,
-Proposed Pledge,Пропонована застава,
-Total Payment,Загальна оплата,
-Balance Loan Amount,Баланс Сума кредиту,
-Is Accrued,Нараховано,
 Salary Slip Loan,Зарплата Скип Кредит,
 Loan Repayment Entry,Повернення позики,
-Sanctioned Loan Amount,Сума санкціонованої позики,
-Sanctioned Amount Limit,Обмежений розмір санкціонованої суми,
-Unpledge,Знімати,
-Haircut,Стрижка,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Згенерувати розклад,
 Schedules,Розклади,
@@ -7885,7 +7749,6 @@
 Update Series,Серія Оновлення,
 Change the starting / current sequence number of an existing series.,Змінити стартову / поточний порядковий номер існуючого ряду.,
 Prefix,Префікс,
-Current Value,Поточна вартість,
 This is the number of the last created transaction with this prefix,Це номер останнього створеного операції з цим префіксом,
 Update Series Number,Оновлення Кількість Серія,
 Quotation Lost Reason,Причина втрати пропозиції,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Рекомендовані рівні перезамовлення по товарах,
 Lead Details,Деталі Lead-а,
 Lead Owner Efficiency,Свинець Власник Ефективність,
-Loan Repayment and Closure,Погашення та закриття позики,
-Loan Security Status,Стан безпеки позики,
 Lost Opportunity,Втрачена можливість,
 Maintenance Schedules,Розклад запланованих обслуговувань,
 Material Requests for which Supplier Quotations are not created,"Замовлення матеріалів, для яких не створено Пропозицій постачальника",
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Кількість цільових показників: {0},
 Payment Account is mandatory,Платіжний рахунок є обов’язковим,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Якщо встановити цей прапорець, повна сума буде вирахувана з оподатковуваного доходу перед розрахунком податку на прибуток без подання декларації чи підтвердження.",
-Disbursement Details,Деталі виплат,
 Material Request Warehouse,Склад матеріалів запиту,
 Select warehouse for material requests,Виберіть склад для запитів матеріалів,
 Transfer Materials For Warehouse {0},Передати матеріали на склад {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Повернути незатребувану суму із заробітної плати,
 Deduction from salary,Відрахування із зарплати,
 Expired Leaves,Листя закінчилися,
-Reference No,Довідковий номер,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,"Відсоток стрижки - це відсоткова різниця між ринковою вартістю застави позики та вартістю, що приписується цьому забезпеченню позики, коли використовується як забезпечення цієї позики.",
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,"Співвідношення позики та вартості виражає відношення суми позики до вартості застави. Дефіцит забезпечення позики буде ініційований, якщо він опуститься нижче зазначеного значення для будь-якого кредиту",
 If this is not checked the loan by default will be considered as a Demand Loan,"Якщо це не позначено, позика за замовчуванням буде розглядатися як позика на вимогу",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,"Цей рахунок використовується для бронювання виплат позики у позичальника, а також для видачі позик позичальнику",
 This account is capital account which is used to allocate capital for loan disbursal account ,"Цей рахунок є рахунком капіталу, який використовується для розподілу капіталу на рахунок виплати позики",
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Операція {0} не належить до робочого замовлення {1},
 Print UOM after Quantity,Друк UOM після кількості,
 Set default {0} account for perpetual inventory for non stock items,"Встановіть обліковий запис {0} за умовчанням для безстрокових запасів для предметів, що не є в наявності",
-Loan Security {0} added multiple times,Захист позики {0} додано кілька разів,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Позикові цінні папери з різним коефіцієнтом LTV не можуть бути передані в заставу під одну позику,
-Qty or Amount is mandatory for loan security!,Кількість або сума є обов’язковою для забезпечення позики!,
-Only submittted unpledge requests can be approved,Можуть бути схвалені лише подані заявки на невикористання,
-Interest Amount or Principal Amount is mandatory,Сума відсотків або основна сума є обов’язковою,
-Disbursed Amount cannot be greater than {0},Виплачена сума не може перевищувати {0},
-Row {0}: Loan Security {1} added multiple times,Рядок {0}: Безпека позики {1} додано кілька разів,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Рядок № {0}: дочірній елемент не повинен бути набором продуктів. Вилучіть елемент {1} та збережіть,
 Credit limit reached for customer {0},Досягнуто кредитного ліміту для клієнта {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Не вдалося автоматично створити Клієнта через такі відсутні обов’язкові поля:,
diff --git a/erpnext/translations/ur.csv b/erpnext/translations/ur.csv
index 554ac3c..7ba0f48 100644
--- a/erpnext/translations/ur.csv
+++ b/erpnext/translations/ur.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL",اگر کمپنی SpA ، SAPA یا SRL ہے تو قابل اطلاق ہے۔,
 Applicable if the company is a limited liability company,اگر کمپنی محدود ذمہ داری کی کمپنی ہے تو قابل اطلاق ہے۔,
 Applicable if the company is an Individual or a Proprietorship,قابل اطلاق اگر کمپنی انفرادی یا ملکیت ہے۔,
-Applicant,درخواست دہندگان,
-Applicant Type,درخواست دہندگان کی قسم,
 Application of Funds (Assets),فنڈز (اثاثے) کی درخواست,
 Application period cannot be across two allocation records,درخواست کا دورہ دو مختص ریکارڈوں میں نہیں ہوسکتا ہے,
 Application period cannot be outside leave allocation period,درخواست کی مدت کے باہر چھٹی مختص مدت نہیں ہو سکتا,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,فولیو نمبروں کے ساتھ دستیاب حصول داروں کی فہرست,
 Loading Payment System,ادائیگی کے نظام کو لوڈ کر رہا ہے,
 Loan,قرض,
-Loan Amount cannot exceed Maximum Loan Amount of {0},قرض کی رقم {0} کی زیادہ سے زیادہ قرض کی رقم سے زیادہ نہیں ہوسکتی,
-Loan Application,قرض کی درخواست,
-Loan Management,قرض مینجمنٹ,
-Loan Repayment,قرض کی واپسی,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,انوائس ڈسکاؤنٹنگ کو بچانے کے لئے لون اسٹارٹ ڈیٹ اور لون پیریڈ لازمی ہے۔,
 Loans (Liabilities),قرضے (واجبات),
 Loans and Advances (Assets),قرضوں اور ایڈوانسز (اثاثے),
@@ -1611,7 +1605,6 @@
 Monday,پیر,
 Monthly,ماہانہ,
 Monthly Distribution,ماہانہ تقسیم,
-Monthly Repayment Amount cannot be greater than Loan Amount,ماہانہ واپسی کی رقم قرض کی رقم سے زیادہ نہیں ہو سکتا,
 More,مزید,
 More Information,مزید معلومات,
 More than one selection for {0} not allowed,{0} کے لئے ایک سے زیادہ انتخاب کی اجازت نہیں,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},ادائیگی {0} {1},
 Payable,قابل ادائیگی,
 Payable Account,قابل ادائیگی اکاؤنٹ,
-Payable Amount,قابل ادائیگی,
 Payment,ادائیگی,
 Payment Cancelled. Please check your GoCardless Account for more details,ادائیگی منسوخ کردی گئی. مزید تفصیلات کے لئے براہ کرم اپنے گوشورڈ اکاؤنٹ چیک کریں,
 Payment Confirmation,ادائیگی کی تصدیق,
-Payment Date,ادائیگی کی تاریخ,
 Payment Days,ادائیگی دنوں,
 Payment Document,ادائیگی دستاویز,
 Payment Due Date,ادائیگی کی وجہ سے تاریخ,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,پہلی خریداری کی رسید درج کریں,
 Please enter Receipt Document,رسید دستاویز درج کریں,
 Please enter Reference date,حوالہ کوڈ داخل کریں.,
-Please enter Repayment Periods,واپسی کا دورانیہ درج کریں,
 Please enter Reqd by Date,براہ مہربانی دوبارہ کوشش کریں,
 Please enter Woocommerce Server URL,برائے مہربانی Woocommerce سرور URL,
 Please enter Write Off Account,اکاؤنٹ لکھنے داخل کریں,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,والدین لاگت مرکز درج کریں,
 Please enter quantity for Item {0},شے کے لئے مقدار درج کریں {0},
 Please enter relieving date.,تاریخ حاجت کوڈ داخل کریں.,
-Please enter repayment Amount,واپسی کی رقم درج کریں,
 Please enter valid Financial Year Start and End Dates,درست مالی سال شروع کریں اور انتھاء داخل کریں,
 Please enter valid email address,درست ای میل ایڈریس درج کریں,
 Please enter {0} first,پہلے {0} درج کریں,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,قیمتوں کا تعین کے قواعد مزید مقدار کی بنیاد پر فلٹر کر رہے ہیں.,
 Primary Address Details,ابتدائی ایڈریس کی تفصیلات,
 Primary Contact Details,بنیادی رابطے کی تفصیلات,
-Principal Amount,اصل رقم,
 Print Format,پرنٹ کی شکل,
 Print IRS 1099 Forms,IRS 1099 فارم پرنٹ کریں۔,
 Print Report Card,رپورٹ کارڈ پرنٹ کریں,
@@ -2550,7 +2538,6 @@
 Sample Collection,نمونہ مجموعہ,
 Sample quantity {0} cannot be more than received quantity {1},نمونہ مقدار {0} وصول شدہ مقدار سے زیادہ نہیں ہوسکتا ہے {1},
 Sanctioned,منظور,
-Sanctioned Amount,منظور رقم,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,منظور رقم صف میں دعوے کی رقم سے زیادہ نہیں ہو سکتا {0}.,
 Sand,ریت,
 Saturday,ہفتہ,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} پہلے سے ہی والدین کا طریقہ کار {1} ہے.,
 API,API,
 Annual,سالانہ,
-Approved,منظور,
 Change,پیج,
 Contact Email,رابطہ ای میل,
 Export Type,برآمد کی قسم,
@@ -3571,7 +3557,6 @@
 Account Value,اکاؤنٹ کی قیمت,
 Account is mandatory to get payment entries,ادائیگی اندراجات لینا اکاؤنٹ لازمی ہے,
 Account is not set for the dashboard chart {0},ڈیش بورڈ چارٹ {0 for کے لئے اکاؤنٹ مرتب نہیں کیا گیا ہے,
-Account {0} does not belong to company {1},اکاؤنٹ {0} کمپنی سے تعلق نہیں ہے {1},
 Account {0} does not exists in the dashboard chart {1},ڈیش بورڈ چارٹ Account 1 Account میں اکاؤنٹ {0 not موجود نہیں ہے,
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,اکاؤنٹ: <b>{0</b> capital سرمائے کا کام جاری ہے اور جرنل انٹری کے ذریعہ اسے اپ ڈیٹ نہیں کیا جاسکتا ہے,
 Account: {0} is not permitted under Payment Entry,اکاؤنٹ: ادائیگی کے اندراج کے تحت {0} کی اجازت نہیں ہے۔,
@@ -3582,7 +3567,6 @@
 Activity,سرگرمی,
 Add / Manage Email Accounts.,ای میل اکاؤنٹس کا انتظام / شامل کریں.,
 Add Child,چائلڈ شامل,
-Add Loan Security,لون سیکیورٹی شامل کریں,
 Add Multiple,ایک سے زیادہ شامل,
 Add Participants,شرکاء شامل کریں,
 Add to Featured Item,نمایاں آئٹم میں شامل کریں۔,
@@ -3593,15 +3577,12 @@
 Address Line 1,پتہ لائن 1,
 Addresses,پتے,
 Admission End Date should be greater than Admission Start Date.,داخلہ اختتامی تاریخ داخلہ شروع ہونے کی تاریخ سے زیادہ ہونی چاہئے۔,
-Against Loan,قرض کے خلاف,
-Against Loan:,قرض کے خلاف:,
 All,سب,
 All bank transactions have been created,تمام بینک لین دین تشکیل دے دیئے گئے ہیں۔,
 All the depreciations has been booked,تمام فرسودگی کو بک کیا گیا ہے۔,
 Allocation Expired!,الاٹیکشن کی میعاد ختم ہوگئی!,
 Allow Resetting Service Level Agreement from Support Settings.,سپورٹ کی ترتیبات سے خدمت کی سطح کے معاہدے کو دوبارہ ترتیب دینے کی اجازت دیں۔,
 Amount of {0} is required for Loan closure,قرض کی بندش کے لئے {0} کی مقدار درکار ہے,
-Amount paid cannot be zero,ادا کی گئی رقم صفر نہیں ہوسکتی ہے,
 Applied Coupon Code,لاگو کوپن کوڈ,
 Apply Coupon Code,کوپن کوڈ کا اطلاق کریں,
 Appointment Booking,تقرری کی بکنگ,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,آمد کے وقت کا حساب نہیں لگایا جاسکتا کیونکہ ڈرائیور کا پتہ گم ہو گیا ہے۔,
 Cannot Optimize Route as Driver Address is Missing.,ڈرائیور کا پتہ گم ہونے کی وجہ سے روٹ کو بہتر نہیں بنایا جاسکتا۔,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,کام {0 complete کو مکمل نہیں کیا جاسکتا ہے کیونکہ اس کا منحصر کام {1} مکمل نہیں / منسوخ نہیں ہوتا ہے۔,
-Cannot create loan until application is approved,درخواست منظور ہونے تک قرض نہیں بن سکتا,
 Cannot find a matching Item. Please select some other value for {0}.,ایک کے ملاپ شے نہیں مل سکتی. کے لئے {0} کسی دوسرے قدر منتخب کریں.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings",آئٹم for 0 row کے لئے قطار میں {1 {2} سے زیادہ نہیں ہوسکتی ہے۔ اوور بلنگ کی اجازت دینے کیلئے ، براہ کرم اکاؤنٹس کی ترتیبات میں الاؤنس مقرر کریں,
 "Capacity Planning Error, planned start time can not be same as end time",اہلیت کی منصوبہ بندی میں خرابی ، منصوبہ بندی کا آغاز وقت اختتامی وقت کے برابر نہیں ہوسکتا ہے,
@@ -3812,20 +3792,9 @@
 Less Than Amount,رقم سے کم,
 Liabilities,واجبات,
 Loading...,لوڈ کر رہا ہے ...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,مجوزہ سیکیورٹیز کے مطابق قرض کی رقم زیادہ سے زیادہ قرض {0 ex سے زیادہ ہے,
 Loan Applications from customers and employees.,صارفین اور ملازمین سے قرض کی درخواستیں۔,
-Loan Disbursement,قرض کی فراہمی,
 Loan Processes,قرض کے عمل,
-Loan Security,قرض کی حفاظت,
-Loan Security Pledge,قرض کی حفاظت کا عہد,
-Loan Security Pledge Created : {0},قرض کی حفاظت کا عہد کیا گیا: {0},
-Loan Security Price,قرض کی حفاظت کی قیمت,
-Loan Security Price overlapping with {0},قرض کی حفاظت کی قیمت {0 with کے ساتھ وورلیپنگ,
-Loan Security Unpledge,قرض سیکیورٹی Unpledge,
-Loan Security Value,قرض کی حفاظت کی قیمت,
 Loan Type for interest and penalty rates,سود اور جرمانے کی شرح کے ل Lo قرض کی قسم,
-Loan amount cannot be greater than {0},قرض کی رقم {0 than سے زیادہ نہیں ہوسکتی ہے,
-Loan is mandatory,قرض لازمی ہے,
 Loans,قرضے۔,
 Loans provided to customers and employees.,صارفین اور ملازمین کو فراہم کردہ قرض,
 Location,مقام,
@@ -3894,7 +3863,6 @@
 Pay,ادائیگی,
 Payment Document Type,ادائیگی دستاویز کی قسم۔,
 Payment Name,ادائیگی کا نام,
-Penalty Amount,جرمانے کی رقم,
 Pending,زیر غور,
 Performance,کارکردگی,
 Period based On,مدت پر مبنی,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,اس آئٹم میں ترمیم کرنے کے ل Please براہ کرم مارکیٹ کے صارف کے طور پر لاگ ان ہوں۔,
 Please login as a Marketplace User to report this item.,براہ کرم اس آئٹم کی اطلاع دینے کے لئے کسی بازار کے صارف کے بطور لاگ ان ہوں۔,
 Please select <b>Template Type</b> to download template,براہ کرم ٹیمپلیٹ ڈاؤن لوڈ کرنے کے لئے <b>ٹیمپلیٹ کی قسم</b> منتخب کریں,
-Please select Applicant Type first,براہ کرم پہلے درخواست دہندگان کی قسم منتخب کریں,
 Please select Customer first,براہ کرم پہلے کسٹمر کو منتخب کریں۔,
 Please select Item Code first,براہ کرم پہلے آئٹم کوڈ منتخب کریں,
-Please select Loan Type for company {0},براہ کرم کمپنی کے ل Lo قرض کی قسم منتخب کریں Type 0 select,
 Please select a Delivery Note,براہ کرم ڈلیوری نوٹ منتخب کریں۔,
 Please select a Sales Person for item: {0},براہ کرم آئٹم کے لئے سیلز شخص منتخب کریں: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',ایک اور طریقہ ادائیگی کا انتخاب کریں. پٹی کرنسی میں لین دین کی حمایت نہیں کرتا &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},براہ کرم کمپنی for 0 for کے لئے پہلے سے طے شدہ بینک اکاؤنٹ مرتب کریں,
 Please specify,وضاحت براہ مہربانی,
 Please specify a {0},براہ کرم ایک {0 specify کی وضاحت کریں,lead
-Pledge Status,عہد کی حیثیت,
-Pledge Time,عہد نامہ,
 Printing,پرنٹنگ,
 Priority,ترجیح,
 Priority has been changed to {0}.,ترجیح کو {0} میں تبدیل کردیا گیا ہے۔,
@@ -3944,7 +3908,6 @@
 Processing XML Files,XML فائلوں پر کارروائی ہورہی ہے,
 Profitability,منافع۔,
 Project,پروجیکٹ,
-Proposed Pledges are mandatory for secured Loans,محفوظ قرضوں کے لئے مجوزہ وعدے لازمی ہیں,
 Provide the academic year and set the starting and ending date.,تعلیمی سال فراہم کریں اور آغاز اور اختتامی تاریخ طے کریں۔,
 Public token is missing for this bank,اس بینک کیلئے عوامی ٹوکن غائب ہے۔,
 Publish,شائع کریں,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,خریداری کی رسید میں ایسا کوئی آئٹم نہیں ہے جس کے لئے دوبارہ برقرار رکھنے والا نمونہ فعال ہو۔,
 Purchase Return,واپس خریداری,
 Qty of Finished Goods Item,تیار سامان کی مقدار,
-Qty or Amount is mandatroy for loan security,قرض کی حفاظت کے لئے مقدار یا رقم کی مقدار مینڈٹروائی ہے,
 Quality Inspection required for Item {0} to submit,آئٹم for 0 submit جمع کروانے کیلئے کوالٹی انسپیکشن درکار ہے,
 Quantity to Manufacture,مقدار کی تیاری,
 Quantity to Manufacture can not be zero for the operation {0},آپریشن کے لئے مقدار کی تیاری صفر نہیں ہوسکتی ہے {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,تاریخ چھٹکارا شامل ہونے کی تاریخ سے زیادہ یا اس کے برابر ہونا چاہئے,
 Rename,نام تبدیل کریں,
 Rename Not Allowed,نام تبدیل کرنے کی اجازت نہیں ہے۔,
-Repayment Method is mandatory for term loans,مدتی قرضوں کے لئے ادائیگی کا طریقہ لازمی ہے,
-Repayment Start Date is mandatory for term loans,مدتی قرضوں کے لئے ادائیگی شروع کرنے کی تاریخ لازمی ہے,
 Report Item,آئٹم کی اطلاع دیں۔,
 Report this Item,اس چیز کی اطلاع دیں,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,ذیلی معاہدے کے لئے محفوظ مقدار: ذیلی معاہدہ اشیاء بنانے کے لئے خام مال کی مقدار۔,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},قطار ({0}): {1 already پہلے ہی {2 in میں چھوٹ ہے,
 Rows Added in {0},قطاریں {0 in میں شامل کی گئیں,
 Rows Removed in {0},قطاریں {0 in میں ہٹا دی گئیں,
-Sanctioned Amount limit crossed for {0} {1},منظور شدہ رقم کی حد {0} {1 for کو عبور کر گئی,
-Sanctioned Loan Amount already exists for {0} against company {1},کمپنی} 1} کے خلاف منظور شدہ قرض کی رقم پہلے ہی {0 for میں موجود ہے,
 Save,محفوظ کریں,
 Save Item,آئٹم کو محفوظ کریں۔,
 Saved Items,محفوظ کردہ اشیا,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,صارف {0} غیر فعال ہے,
 Users and Permissions,صارفین اور اجازت,
 Vacancies cannot be lower than the current openings,خالی جگہیں موجودہ خالی جگہوں سے کم نہیں ہوسکتی ہیں۔,
-Valid From Time must be lesser than Valid Upto Time.,درست وقت سے وقت تک درست سے کم ہونا چاہئے۔,
 Valuation Rate required for Item {0} at row {1},قطار {1} پر آئٹم {0} کیلئے ویلیو ریٹ کی ضرورت ہے,
 Values Out Of Sync,ہم آہنگی سے باہر کی اقدار,
 Vehicle Type is required if Mode of Transport is Road,اگر موڈ آف ٹرانسپورٹ روڈ ہے تو گاڑی کی قسم کی ضرورت ہے۔,
@@ -4211,7 +4168,6 @@
 Add to Cart,ٹوکری میں شامل کریں,
 Days Since Last Order,آخری آرڈر کے بعد سے دن,
 In Stock,اسٹاک میں,
-Loan Amount is mandatory,قرض کی رقم لازمی ہے,
 Mode Of Payment,ادائیگی کا موڈ,
 No students Found,کوئی طالب علم نہیں ملا,
 Not in Stock,نہیں اسٹاک میں,
@@ -4240,7 +4196,6 @@
 Group by,گروپ سے,
 In stock,اسٹاک میں,
 Item name,نام شے,
-Loan amount is mandatory,قرض کی رقم لازمی ہے,
 Minimum Qty,کم از کم مقدار,
 More details,مزید تفصیلات,
 Nature of Supplies,سامان کی نوعیت,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,کل مکمل مقدار,
 Qty to Manufacture,تیار کرنے کی مقدار,
 Repay From Salary can be selected only for term loans,تنخواہ سے واپسی کا انتخاب صرف مدتی قرضوں کے لئے کیا جاسکتا ہے,
-No valid Loan Security Price found for {0},Security 0 for کے لئے کوئی مناسب قرض کی حفاظت کی قیمت نہیں ملی,
-Loan Account and Payment Account cannot be same,لون اکاؤنٹ اور ادائیگی اکاؤنٹ ایک جیسے نہیں ہوسکتے ہیں,
-Loan Security Pledge can only be created for secured loans,صرف سیکیورٹی والے قرضوں کے لئے قرض کی حفاظت کا عہد کیا جاسکتا ہے,
 Social Media Campaigns,سوشل میڈیا مہمات,
 From Date can not be greater than To Date,تاریخ سے تاریخ تک اس سے زیادہ نہیں ہوسکتی ہے,
 Please set a Customer linked to the Patient,براہ کرم مریض سے منسلک ایک کسٹمر مقرر کریں,
@@ -6437,7 +6389,6 @@
 HR User,HR صارف,
 Appointment Letter,بھرتی کا حکم نامہ,
 Job Applicant,ملازمت کی درخواست گزار,
-Applicant Name,درخواست گزار کا نام,
 Appointment Date,تقرری کی تاریخ,
 Appointment Letter Template,تقرری خط کا سانچہ,
 Body,جسم,
@@ -7059,99 +7010,12 @@
 Sync in Progress,ترقی میں مطابقت پذیری,
 Hub Seller Name,حب بیچنے والے کا نام,
 Custom Data,اپنی مرضی کے مطابق ڈیٹا,
-Member,رکن,
-Partially Disbursed,جزوی طور پر زرعی قرضوں کی فراہمی,
-Loan Closure Requested,قرض کی بندش کی درخواست کی گئی,
 Repay From Salary,تنخواہ سے ادا,
-Loan Details,قرض کی تفصیلات,
-Loan Type,قرض کی قسم,
-Loan Amount,قرضے کی رقم,
-Is Secured Loan,محفوظ قرض ہے,
-Rate of Interest (%) / Year,سود (٪) / سال کی شرح,
-Disbursement Date,ادائیگی کی تاریخ,
-Disbursed Amount,تقسیم شدہ رقم,
-Is Term Loan,ٹرم لون ہے,
-Repayment Method,باز ادائیگی کا طریقہ,
-Repay Fixed Amount per Period,فی وقفہ مقررہ رقم ادا,
-Repay Over Number of Periods,دوران ادوار کی تعداد ادا,
-Repayment Period in Months,مہینے میں واپسی کی مدت,
-Monthly Repayment Amount,ماہانہ واپسی کی رقم,
-Repayment Start Date,واپسی کی تاریخ شروع,
-Loan Security Details,قرض کی حفاظت کی تفصیلات,
-Maximum Loan Value,زیادہ سے زیادہ قرض کی قیمت,
-Account Info,اکاونٹ کی معلومات,
-Loan Account,قرض اکاؤنٹ,
-Interest Income Account,سودی آمدنی اکاؤنٹ,
-Penalty Income Account,پنلٹی انکم اکاؤنٹ,
-Repayment Schedule,واپسی کے شیڈول,
-Total Payable Amount,کل قابل ادائیگی رقم,
-Total Principal Paid,کل پرنسپل ادا ہوا,
-Total Interest Payable,کل سود قابل ادائیگی,
-Total Amount Paid,ادا کردہ کل رقم,
-Loan Manager,لون منیجر,
-Loan Info,قرض کی معلومات,
-Rate of Interest,سود کی شرح,
-Proposed Pledges,مجوزہ وعدے,
-Maximum Loan Amount,زیادہ سے زیادہ قرض کی رقم,
-Repayment Info,باز ادائیگی کی معلومات,
-Total Payable Interest,کل قابل ادائیگی دلچسپی,
-Against Loan ,قرض کے خلاف,
-Loan Interest Accrual,قرضہ سود ایکوری,
-Amounts,رقم,
-Pending Principal Amount,زیر التواء پرنسپل رقم,
-Payable Principal Amount,قابل ادائیگی کی رقم,
-Paid Principal Amount,ادا شدہ پرنسپل رقم,
-Paid Interest Amount,ادا کردہ سود کی رقم,
-Process Loan Interest Accrual,پروسیس لون سود ایکوری,
-Repayment Schedule Name,ادائیگی کے نظام الاوقات کا نام,
 Regular Payment,باقاعدہ ادائیگی,
 Loan Closure,قرض کی بندش,
-Payment Details,ادائیگی کی تفصیلات,
-Interest Payable,قابل ادائیگی سود,
-Amount Paid,رقم ادا کر دی,
-Principal Amount Paid,پرنسپل رقم ادا کی گئی,
-Repayment Details,ادائیگی کی تفصیلات,
-Loan Repayment Detail,قرض کی واپسی کی تفصیل,
-Loan Security Name,لون سیکیورٹی نام,
-Unit Of Measure,پیمائش کی اکائی,
-Loan Security Code,لون سیکیورٹی کوڈ,
-Loan Security Type,قرض کی حفاظت کی قسم,
-Haircut %,بال کٹوانے,
-Loan  Details,قرض کی تفصیلات,
-Unpledged,غیر وابستہ,
-Pledged,وعدہ کیا,
-Partially Pledged,جزوی طور پر وعدہ کیا,
-Securities,سیکیورٹیز,
-Total Security Value,سیکیورٹی کی کل قیمت,
-Loan Security Shortfall,قرض کی حفاظت میں کمی,
-Loan ,قرض,
-Shortfall Time,شارٹ فال ٹائم,
-America/New_York,امریکہ / نیو یارک,
-Shortfall Amount,کمی کی رقم,
-Security Value ,سیکیورٹی ویلیو,
-Process Loan Security Shortfall,عمل سے متعلق سیکیورٹی میں کمی,
-Loan To Value Ratio,قدر کے تناسب سے قرض,
-Unpledge Time,غیر تسلی بخش وقت,
-Loan Name,قرض نام,
 Rate of Interest (%) Yearly,سود کی شرح (٪) سالانہ,
-Penalty Interest Rate (%) Per Day,پینلٹی سود کی شرح (٪) فی دن,
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,ادائیگی میں تاخیر کی صورت میں روزانہ کی بنیاد پر زیر التوا سود کی رقم پر جرمانہ سود کی شرح عائد کی جاتی ہے,
-Grace Period in Days,دنوں میں فضل کا دورانیہ,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,مقررہ تاریخ سے لے کر اس دن تک جو قرض کی ادائیگی میں تاخیر کی صورت میں جرمانہ وصول نہیں کیا جائے گا,
-Pledge,عہد کرنا,
-Post Haircut Amount,بال کٹوانے کی رقم,
-Process Type,عمل کی قسم,
-Update Time,تازہ کاری کا وقت,
-Proposed Pledge,مجوزہ عہد,
-Total Payment,کل ادائیگی,
-Balance Loan Amount,بیلنس قرض کی رقم,
-Is Accrued,اکھٹا ہوا ہے,
 Salary Slip Loan,تنخواہ سلپ قرض,
 Loan Repayment Entry,قرض کی ادائیگی میں داخلہ,
-Sanctioned Loan Amount,منظور شدہ قرض کی رقم,
-Sanctioned Amount Limit,منظور شدہ رقم کی حد,
-Unpledge,عہد نہ کریں,
-Haircut,بال کٹوانے,
 MAT-MSH-.YYYY.-,MAT-MSH -YYYY-,
 Generate Schedule,شیڈول بنائیں,
 Schedules,شیڈول,
@@ -7885,7 +7749,6 @@
 Update Series,اپ ڈیٹ سیریز,
 Change the starting / current sequence number of an existing series.,ایک موجودہ سیریز کے شروع / موجودہ ترتیب تعداد کو تبدیل کریں.,
 Prefix,اپسرگ,
-Current Value,موجودہ قیمت,
 This is the number of the last created transaction with this prefix,یہ اپسرگ کے ساتھ گزشتہ پیدا لین دین کی تعداد ہے,
 Update Series Number,اپ ڈیٹ سلسلہ نمبر,
 Quotation Lost Reason,کوٹیشن کھو وجہ,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Itemwise ترتیب لیول سفارش,
 Lead Details,لیڈ تفصیلات,
 Lead Owner Efficiency,لیڈ مالک مستعدی,
-Loan Repayment and Closure,قرض کی ادائیگی اور بندش,
-Loan Security Status,قرض کی حفاظت کی حیثیت,
 Lost Opportunity,موقع کھو دیا۔,
 Maintenance Schedules,بحالی شیڈول,
 Material Requests for which Supplier Quotations are not created,پردایک کوٹیشن پیدا نہیں کر رہے ہیں جس کے لئے مواد کی درخواست,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},ھدف کردہ گنتی: {0},
 Payment Account is mandatory,ادائیگی اکاؤنٹ لازمی ہے,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.",اگر جانچ پڑتال کی گئی تو انکم ٹیکس کا حساب لگانے سے پہلے بغیر کسی اعلان یا ثبوت جمع کروانے سے قبل پوری رقم ٹیکس قابل آمدنی سے کٹوتی کی جائے گی۔,
-Disbursement Details,ادائیگی کی تفصیلات,
 Material Request Warehouse,مٹیریل ریکوسٹ گودام,
 Select warehouse for material requests,مادی درخواستوں کے لئے گودام کا انتخاب کریں,
 Transfer Materials For Warehouse {0},گودام For 0 For کے لئے مواد کی منتقلی,
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,تنخواہ سے غیر دعویدار رقم واپس کریں,
 Deduction from salary,تنخواہ سے کٹوتی,
 Expired Leaves,ختم شدہ پتے,
-Reference No,حوالہ نمبر,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,بال کٹوانے کی شرح لون سیکیورٹی کی مارکیٹ ویلیو اور اس لون سیکیورٹی کے حساب سے اس قدر کے درمیان فیصد فرق ہے جب اس قرض کے لئے کولیٹرل کے طور پر استعمال ہوتا ہے۔,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,لین ٹو ویلیو تناسب ، قرض کی رقم کے تناسب کو سیکیورٹی کے وعدے کی قیمت سے ظاہر کرتا ہے۔ اگر یہ کسی بھی قرض کے لئے مخصوص قدر سے کم ہو تو قرض کی حفاظت میں شارٹ فال ہوسکے گا,
 If this is not checked the loan by default will be considered as a Demand Loan,اگر اس کی جانچ نہیں کی گئی تو قرض کو بطور ڈیفانٹ لون سمجھا جائے گا,
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,یہ اکاؤنٹ قرض لینے والے سے قرض کی واپسیوں کی بکنگ اور قرض لینے والے کو قرضوں کی تقسیم کے لئے استعمال ہوتا ہے,
 This account is capital account which is used to allocate capital for loan disbursal account ,یہ کھاتہ دارالحکومت کا کھاتہ ہے جو قرض تقسیم کے اکاؤنٹ کے لئے سرمایہ مختص کرنے کے لئے استعمال ہوتا ہے,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},آپریشن {0 the کا تعلق ورک آرڈر to 1 not سے نہیں ہے۔,
 Print UOM after Quantity,مقدار کے بعد UOM پرنٹ کریں,
 Set default {0} account for perpetual inventory for non stock items,غیر اسٹاک آئٹمز کی مستقل انوینٹری کیلئے ڈیفالٹ {0} اکاؤنٹ مرتب کریں,
-Loan Security {0} added multiple times,لون سیکیورٹی {0 multiple نے متعدد بار شامل کیا,
-Loan Securities with different LTV ratio cannot be pledged against one loan,مختلف ایل ٹی وی تناسب والی لون سیکیورٹیز کو ایک لون کے مقابلے میں گروی نہیں رکھا جاسکتا,
-Qty or Amount is mandatory for loan security!,قرض کی حفاظت کے لئے مقدار یا رقم لازمی ہے!,
-Only submittted unpledge requests can be approved,صرف جمع کروائی گئی ناقابل قبول درخواستوں کو ہی منظور کیا جاسکتا ہے,
-Interest Amount or Principal Amount is mandatory,سود کی رقم یا پرنسپل رقم لازمی ہے,
-Disbursed Amount cannot be greater than {0},تقسیم شدہ رقم {0 than سے زیادہ نہیں ہوسکتی ہے,
-Row {0}: Loan Security {1} added multiple times,قطار {0}: قرض کی حفاظت {1 multiple میں متعدد بار شامل کیا گیا,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,قطار # {0}: چائلڈ آئٹم پروڈکٹ بنڈل نہیں ہونا چاہئے۔ براہ کرم آئٹم {1 remove کو ہٹا دیں اور محفوظ کریں,
 Credit limit reached for customer {0},صارف کے لئے کریڈٹ کی حد limit 0 reached ہوگئی,
 Could not auto create Customer due to the following missing mandatory field(s):,مندرجہ ذیل لاپتہ لازمی فیلڈز کی وجہ سے گاہک کو خود کار طریقے سے تشکیل نہیں دے سکا:,
diff --git a/erpnext/translations/uz.csv b/erpnext/translations/uz.csv
index 50891e6..40d4165 100644
--- a/erpnext/translations/uz.csv
+++ b/erpnext/translations/uz.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Agar kompaniya SpA, SApA yoki SRL bo&#39;lsa, tegishli",
 Applicable if the company is a limited liability company,"Agar kompaniya ma&#39;suliyati cheklangan jamiyat bo&#39;lsa, tegishli",
 Applicable if the company is an Individual or a Proprietorship,"Agar kompaniya jismoniy shaxs yoki mulkdor bo&#39;lsa, tegishli",
-Applicant,Ariza beruvchi,
-Applicant Type,Ariza beruvchi turi,
 Application of Funds (Assets),Jamg&#39;armalar (aktivlar) ni qo&#39;llash,
 Application period cannot be across two allocation records,Ilova davri ikkita ajratma yozuvlari bo&#39;yicha bo&#39;lishi mumkin emas,
 Application period cannot be outside leave allocation period,Ariza soatlari tashqaridan ajratilgan muddatning tashqarisida bo&#39;lishi mumkin emas,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Folio raqamlari mavjud bo&#39;lgan aktsiyadorlar ro&#39;yxati,
 Loading Payment System,To&#39;lov tizimini o&#39;rnatish,
 Loan,Kredit,
-Loan Amount cannot exceed Maximum Loan Amount of {0},Kredit summasi {0} maksimum kredit summasidan oshib ketmasligi kerak.,
-Loan Application,Kreditlash uchun ariza,
-Loan Management,Kreditni boshqarish,
-Loan Repayment,Kreditni qaytarish,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Hisob-fakturani chegirishni saqlash uchun kreditning boshlanish sanasi va kredit muddati majburiy hisoblanadi,
 Loans (Liabilities),Kreditlar (majburiyatlar),
 Loans and Advances (Assets),Kreditlar va avanslar (aktivlar),
@@ -1611,7 +1605,6 @@
 Monday,Dushanba,
 Monthly,Oylik,
 Monthly Distribution,Oylik tarqatish,
-Monthly Repayment Amount cannot be greater than Loan Amount,Oylik qaytarib beriladigan pul miqdori Kredit miqdoridan kattaroq bo&#39;lishi mumkin emas,
 More,Ko&#39;proq,
 More Information,Qo&#39;shimcha ma&#39;lumot,
 More than one selection for {0} not allowed,{0} uchun bittadan ortiq tanlovga ruxsat berilmaydi,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},{0} {1} to&#39;lash,
 Payable,To&#39;lanishi kerak,
 Payable Account,To&#39;lanadigan hisob,
-Payable Amount,To&#39;lanadigan miqdor,
 Payment,To&#39;lov,
 Payment Cancelled. Please check your GoCardless Account for more details,"To&#39;lov bekor qilindi. Iltimos, batafsil ma&#39;lumot uchun GoCardsiz hisobingizni tekshiring",
 Payment Confirmation,To&#39;lovlarni tasdiqlash,
-Payment Date,To&#39;lov sanasi,
 Payment Days,To&#39;lov kunlari,
 Payment Document,To&#39;lov hujjati,
 Payment Due Date,To&#39;lov sanasi,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,Avval Qabul Qabulnomasini kiriting,
 Please enter Receipt Document,"Iltimos, hujjatning hujjatini kiriting",
 Please enter Reference date,"Iltimos, arizani kiriting",
-Please enter Repayment Periods,To&#39;lov muddatlarini kiriting,
 Please enter Reqd by Date,Iltimos sanasi bo&#39;yicha Reqd kiriting,
 Please enter Woocommerce Server URL,"Iltimos, Woocommerce Server URL manzilini kiriting",
 Please enter Write Off Account,"Iltimos, hisob raqamini kiriting",
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,"Iltimos, yuqori xarajat markazini kiriting",
 Please enter quantity for Item {0},"Iltimos, {0} mahsulot uchun miqdorni kiriting",
 Please enter relieving date.,"Iltimos, bo&#39;sh vaqtni kiriting.",
-Please enter repayment Amount,To&#39;lov miqdorini kiriting,
 Please enter valid Financial Year Start and End Dates,"Iltimos, joriy moliyaviy yilni boshlash va tugatish sanasini kiriting",
 Please enter valid email address,"Iltimos, to&#39;g&#39;ri elektron pochta manzilini kiriting",
 Please enter {0} first,Avval {0} kiriting,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Raqobatchilar qoidalari miqdori bo&#39;yicha qo&#39;shimcha ravishda filtrlanadi.,
 Primary Address Details,Birlamchi manzil ma&#39;lumotlari,
 Primary Contact Details,Birlamchi aloqa ma&#39;lumotlari,
-Principal Amount,Asosiy miqdori,
 Print Format,Bosib chiqarish formati,
 Print IRS 1099 Forms,IRS 1099 shakllarini chop eting,
 Print Report Card,Hisobot kartasini chop etish,
@@ -2550,7 +2538,6 @@
 Sample Collection,Namunani yig&#39;ish,
 Sample quantity {0} cannot be more than received quantity {1},{0} o&#39;rnak miqdori qabul qilingan miqdordan ortiq bo&#39;lishi mumkin emas {1},
 Sanctioned,Sanktsiya,
-Sanctioned Amount,Sanktsiya miqdori,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanktsiyalangan pul miqdori {0} qatorida da&#39;vo miqdori qiymatidan katta bo&#39;lmasligi kerak.,
 Sand,Qum,
 Saturday,Shanba,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} allaqachon Ota-ona tartibiga ega {1}.,
 API,API,
 Annual,Yillik,
-Approved,Tasdiqlandi,
 Change,O&#39;zgartirish,
 Contact Email,E-pochtaga murojaat qiling,
 Export Type,Eksport turi,
@@ -3571,7 +3557,6 @@
 Account Value,Hisob qiymati,
 Account is mandatory to get payment entries,To&#39;lov yozuvlarini olish uchun hisob qaydnomasi majburiydir,
 Account is not set for the dashboard chart {0},Hisoblash jadvali {0} jadvalida o&#39;rnatilmagan,
-Account {0} does not belong to company {1},{0} hisobi {1} kompaniyasiga tegishli emas,
 Account {0} does not exists in the dashboard chart {1},{1} boshqaruv panelida {0} hisobi mavjud emas.,
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Hisob qaydnomasi: <b>{0}</b> asosiy ish bajarilmoqda va Journal Entry tomonidan yangilanmaydi,
 Account: {0} is not permitted under Payment Entry,Hisob: {0} to&#39;lovni kiritishda taqiqlangan,
@@ -3582,7 +3567,6 @@
 Activity,Faoliyat,
 Add / Manage Email Accounts.,E-pochta hisoblarini qo&#39;shish / boshqarish.,
 Add Child,Bola qo&#39;shish,
-Add Loan Security,Kredit xavfsizligini qo&#39;shing,
 Add Multiple,Bir nechta qo&#39;shish,
 Add Participants,Ishtirokchilarni qo&#39;shish,
 Add to Featured Item,Tanlangan narsalarga qo&#39;shish,
@@ -3593,15 +3577,12 @@
 Address Line 1,Manzil uchun 1-chi qator,
 Addresses,Manzillar,
 Admission End Date should be greater than Admission Start Date.,Qabulni tugatish sanasi qabulning boshlanish sanasidan katta bo&#39;lishi kerak.,
-Against Loan,Qarzga qarshi,
-Against Loan:,Qarzga qarshi:,
 All,HAMMA,
 All bank transactions have been created,Barcha bank operatsiyalari yaratildi,
 All the depreciations has been booked,Barcha eskirgan narsalar bron qilingan,
 Allocation Expired!,Ajratish muddati tugadi!,
 Allow Resetting Service Level Agreement from Support Settings.,Xizmat ko&#39;rsatish darajasi to&#39;g&#39;risidagi kelishuvni qo&#39;llab-quvvatlash sozlamalaridan tiklashga ruxsat bering.,
 Amount of {0} is required for Loan closure,Kreditni yopish uchun {0} miqdori talab qilinadi,
-Amount paid cannot be zero,To&#39;langan miqdor nolga teng bo&#39;lmaydi,
 Applied Coupon Code,Amaliy Kupon kodi,
 Apply Coupon Code,Kupon kodini qo&#39;llang,
 Appointment Booking,Uchrashuvni bron qilish,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,Haydovchining manzili etishmayotganligi sababli yetib kelish vaqtini hisoblab bo&#39;lmaydi.,
 Cannot Optimize Route as Driver Address is Missing.,Haydovchining manzili mavjud emasligi sababli marshrutni optimallashtirib bo&#39;lmaydi.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"{0} vazifasini bajarib bo&#39;lmadi, chunki unga bog&#39;liq bo&#39;lgan {1} vazifasi tugallanmagan / bekor qilinmagan.",
-Cannot create loan until application is approved,Ilova ma&#39;qullanmaguncha ssudani yaratib bo&#39;lmaydi,
 Cannot find a matching Item. Please select some other value for {0}.,Mos keladigan elementni topib bo&#39;lmadi. {0} uchun boshqa qiymatni tanlang.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings",{1} qatoridan {2} dan ortiq {0} elementi uchun ortiqcha buyurtma berish mumkin emas. Ortiqcha hisob-kitob qilishga ruxsat berish uchun hisob qaydnomasi sozlamalarida ruxsatnomani belgilang,
 "Capacity Planning Error, planned start time can not be same as end time","Imkoniyatlarni rejalashtirishda xato, rejalashtirilgan boshlanish vaqti tugash vaqti bilan bir xil bo&#39;lishi mumkin emas",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Miqdor kamroq,
 Liabilities,Majburiyatlar,
 Loading...,Yuklanmoqda ...,
-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,
 Loan Applications from customers and employees.,Mijozlar va xodimlarning kredit buyurtmalari.,
-Loan Disbursement,Kreditni to&#39;lash,
 Loan Processes,Kredit jarayonlari,
-Loan Security,Kredit xavfsizligi,
-Loan Security Pledge,Kredit garovi,
-Loan Security Pledge Created : {0},Kredit xavfsizligi garovi yaratilgan: {0},
-Loan Security Price,Kredit kafolati narxi,
-Loan Security Price overlapping with {0},Kredit garovi narxi {0} bilan mos keladi,
-Loan Security Unpledge,Kredit xavfsizligini ta&#39;minlash,
-Loan Security Value,Kredit kafolati qiymati,
 Loan Type for interest and penalty rates,Foizlar va foizlar stavkalari uchun kredit turi,
-Loan amount cannot be greater than {0},Kredit summasi {0} dan ko&#39;p bo&#39;lmasligi kerak,
-Loan is mandatory,Qarz berish majburiydir,
 Loans,Kreditlar,
 Loans provided to customers and employees.,Mijozlar va xodimlarga berilgan kreditlar.,
 Location,Manzil,
@@ -3894,7 +3863,6 @@
 Pay,To&#39;lash,
 Payment Document Type,To&#39;lov hujjati turi,
 Payment Name,To&#39;lov nomi,
-Penalty Amount,Jarima miqdori,
 Pending,Kutilmoqda,
 Performance,Ishlash,
 Period based On,Davr asoslangan,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,Ushbu mahsulotni tahrirlash uchun Marketplace foydalanuvchisi sifatida tizimga kiring.,
 Please login as a Marketplace User to report this item.,Ushbu mahsulot haqida xabar berish uchun Marketplace foydalanuvchisi sifatida tizimga kiring.,
 Please select <b>Template Type</b> to download template,"Iltimos, <b>shablonni</b> yuklab olish uchun <b>shablon turini</b> tanlang",
-Please select Applicant Type first,Avval Arizachi turini tanlang,
 Please select Customer first,Avval mijozni tanlang,
 Please select Item Code first,Avval mahsulot kodini tanlang,
-Please select Loan Type for company {0},Iltimos {0} uchun kredit turini tanlang.,
 Please select a Delivery Note,"Iltimos, etkazib berish eslatmasini tanlang",
 Please select a Sales Person for item: {0},"Iltimos, mahsulot sotuvchisini tanlang: {0}",
 Please select another payment method. Stripe does not support transactions in currency '{0}',Boshqa to&#39;lov usulini tanlang. Stripe &#39;{0}&#39; valyutasidagi operatsiyalarni qo&#39;llab-quvvatlamaydi,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Iltimos {0} kompaniyasi uchun odatiy bank hisobini o&#39;rnating.,
 Please specify,"Iltimos, ko&#39;rsating",
 Please specify a {0},"Iltimos, {0} kiriting",lead
-Pledge Status,Garov holati,
-Pledge Time,Garov muddati,
 Printing,Bosib chiqarish,
 Priority,Birinchi o&#39;ringa,
 Priority has been changed to {0}.,Ustuvorlik {0} ga o&#39;zgartirildi.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,XML fayllarini qayta ishlash,
 Profitability,Daromadlilik,
 Project,Loyiha,
-Proposed Pledges are mandatory for secured Loans,Taklif etilayotgan garovlar kafolatlangan kreditlar uchun majburiydir,
 Provide the academic year and set the starting and ending date.,O&#39;quv yilini taqdim eting va boshlanish va tugash sanasini belgilang.,
 Public token is missing for this bank,Ushbu bank uchun ommaviy token yo&#39;q,
 Publish,Nashr qiling,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Xarid kvitansiyasida &quot;Qidiruv namunasini yoqish&quot; bandi mavjud emas.,
 Purchase Return,Xaridni qaytarish,
 Qty of Finished Goods Item,Tayyor mahsulotning qirq qismi,
-Qty or Amount is mandatroy for loan security,Qty yoki Miqdor - bu kreditni ta&#39;minlash uchun mandatroy,
 Quality Inspection required for Item {0} to submit,{0} punktini topshirish uchun sifat nazorati talab qilinadi,
 Quantity to Manufacture,Ishlab chiqarish miqdori,
 Quantity to Manufacture can not be zero for the operation {0},Ishlab chiqarish miqdori {0} uchun nol bo&#39;lishi mumkin emas.,
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Yengish sanasi qo&#39;shilish sanasidan katta yoki unga teng bo&#39;lishi kerak,
 Rename,Nomni o&#39;zgartiring,
 Rename Not Allowed,Nomni o&#39;zgartirishga ruxsat berilmagan,
-Repayment Method is mandatory for term loans,To&#39;lash usuli muddatli kreditlar uchun majburiydir,
-Repayment Start Date is mandatory for term loans,To&#39;lovni boshlash muddati muddatli kreditlar uchun majburiydir,
 Report Item,Xabar berish,
 Report this Item,Ushbu elementni xabar qiling,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Subtrudrat uchun ajratilgan Qty: pudrat shartnomalarini tuzish uchun xom ashyo miqdori.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Satr ({0}): {1} allaqachon {2} da chegirma qilingan,
 Rows Added in {0},Qatorlar {0} da qo&#39;shilgan,
 Rows Removed in {0},Satrlar {0} da olib tashlandi,
-Sanctioned Amount limit crossed for {0} {1},Sanktsiyalangan miqdor cheklovi {0} {1} uchun o&#39;tdi,
-Sanctioned Loan Amount already exists for {0} against company {1},Sanksiya qilingan kredit miqdori {1} kompaniyasiga qarshi {0} uchun allaqachon mavjud,
 Save,Saqlash,
 Save Item,Elementni saqlang,
 Saved Items,Saqlangan narsalar,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,{0} foydalanuvchisi o&#39;chirib qo&#39;yilgan,
 Users and Permissions,Foydalanuvchilar va ruxsatnomalar,
 Vacancies cannot be lower than the current openings,Bo&#39;sh ish o&#39;rinlari joriy ochilishlardan past bo&#39;lishi mumkin emas,
-Valid From Time must be lesser than Valid Upto Time.,Vaqtning amal qilishi Valid Upto vaqtidan kamroq bo&#39;lishi kerak.,
 Valuation Rate required for Item {0} at row {1},Baholash darajasi {0} qatorida {0} talab qilinadi.,
 Values Out Of Sync,Sinxron bo&#39;lmagan qiymatlar,
 Vehicle Type is required if Mode of Transport is Road,"Transport turi Yo&#39;l bo&#39;lsa, transport vositasining turi talab qilinadi",
@@ -4211,7 +4168,6 @@
 Add to Cart,savatchaga qo&#39;shish,
 Days Since Last Order,So&#39;nggi buyurtmadan keyingi kunlar,
 In Stock,Omborda mavjud; sotuvda mavjud,
-Loan Amount is mandatory,Qarz miqdori majburiydir,
 Mode Of Payment,To&#39;lov tartibi,
 No students Found,Hech qanday talaba topilmadi,
 Not in Stock,Stoktaki emas,
@@ -4240,7 +4196,6 @@
 Group by,Guruh tomonidan,
 In stock,Omborda mavjud; sotuvda mavjud,
 Item name,Mavzu nomi,
-Loan amount is mandatory,Qarz miqdori majburiydir,
 Minimum Qty,Minimal Miqdor,
 More details,Batafsil ma&#39;lumot,
 Nature of Supplies,Ta&#39;minot tabiati,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Jami bajarilgan Qty,
 Qty to Manufacture,Ishlab chiqarish uchun miqdori,
 Repay From Salary can be selected only for term loans,Ish haqidan to&#39;lashni faqat muddatli kreditlar uchun tanlash mumkin,
-No valid Loan Security Price found for {0},{0} uchun haqiqiy kredit xavfsizligi narxi topilmadi,
-Loan Account and Payment Account cannot be same,Kredit hisobvarag&#39;i va to&#39;lov hisobi bir xil bo&#39;lishi mumkin emas,
-Loan Security Pledge can only be created for secured loans,Kredit xavfsizligi garovi faqat ta&#39;minlangan kreditlar uchun tuzilishi mumkin,
 Social Media Campaigns,Ijtimoiy media aksiyalari,
 From Date can not be greater than To Date,Sana sanasidan katta bo&#39;lishi mumkin emas,
 Please set a Customer linked to the Patient,"Iltimos, bemorga bog&#39;langan mijozni o&#39;rnating",
@@ -6437,7 +6389,6 @@
 HR User,HR foydalanuvchisi,
 Appointment Letter,Uchrashuv xati,
 Job Applicant,Ish beruvchi,
-Applicant Name,Ariza beruvchi nomi,
 Appointment Date,Uchrashuv sanasi,
 Appointment Letter Template,Uchrashuv xatining shabloni,
 Body,Tanasi,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Sinxronlash davom etmoqda,
 Hub Seller Name,Hub sotuvchi nomi,
 Custom Data,Maxsus ma&#39;lumotlar,
-Member,Ro&#39;yxatdan,
-Partially Disbursed,Qisman to&#39;langan,
-Loan Closure Requested,Kreditni yopish so&#39;raladi,
 Repay From Salary,Ish haqidan to&#39;lash,
-Loan Details,Kredit tafsilotlari,
-Loan Type,Kredit turi,
-Loan Amount,Kredit miqdori,
-Is Secured Loan,Kafolatlangan kredit,
-Rate of Interest (%) / Year,Foiz stavkasi (%) / yil,
-Disbursement Date,To&#39;lov sanasi,
-Disbursed Amount,To&#39;langan miqdor,
-Is Term Loan,Muddatli kredit,
-Repayment Method,Qaytarilish usuli,
-Repay Fixed Amount per Period,Davr uchun belgilangan miqdorni to&#39;lash,
-Repay Over Number of Periods,Davr sonini qaytaring,
-Repayment Period in Months,Oylardagi qaytarish davri,
-Monthly Repayment Amount,Oylik to&#39;lov miqdori,
-Repayment Start Date,To&#39;lov boshlanish sanasi,
-Loan Security Details,Kredit xavfsizligi tafsilotlari,
-Maximum Loan Value,Kreditning maksimal qiymati,
-Account Info,Hisob ma&#39;lumotlari,
-Loan Account,Kredit hisoboti,
-Interest Income Account,Foiz daromadi hisob,
-Penalty Income Account,Jazo daromadlari hisobi,
-Repayment Schedule,To&#39;lov rejasi,
-Total Payable Amount,To&#39;lanadigan qarz miqdori,
-Total Principal Paid,Asosiy to&#39;langan pul,
-Total Interest Payable,To&#39;lanadigan foizlar,
-Total Amount Paid,To&#39;langan pul miqdori,
-Loan Manager,Kreditlar bo&#39;yicha menejer,
-Loan Info,Kredit haqida ma&#39;lumot,
-Rate of Interest,Foiz stavkasi,
-Proposed Pledges,Taklif qilingan garovlar,
-Maximum Loan Amount,Maksimal kredit summasi,
-Repayment Info,To&#39;lov ma&#39;lumoti,
-Total Payable Interest,To&#39;lanadigan foiz,
-Against Loan ,Kreditga qarshi,
-Loan Interest Accrual,Kredit bo&#39;yicha foizlarni hisoblash,
-Amounts,Miqdor,
-Pending Principal Amount,Asosiy miqdor kutilmoqda,
-Payable Principal Amount,To&#39;lanadigan asosiy summa,
-Paid Principal Amount,To&#39;langan asosiy summa,
-Paid Interest Amount,To&#39;langan foizlar miqdori,
-Process Loan Interest Accrual,Kredit bo&#39;yicha foizlarni hisoblash jarayoni,
-Repayment Schedule Name,To&#39;lov jadvalining nomi,
 Regular Payment,Doimiy to&#39;lov,
 Loan Closure,Kreditni yopish,
-Payment Details,To&#39;lov ma&#39;lumoti,
-Interest Payable,To&#39;lanadigan foizlar,
-Amount Paid,To&#39;lov miqdori,
-Principal Amount Paid,To&#39;langan asosiy miqdor,
-Repayment Details,To&#39;lov tafsilotlari,
-Loan Repayment Detail,Kreditni to&#39;lash bo&#39;yicha tafsilotlar,
-Loan Security Name,Kredit kafolati nomi,
-Unit Of Measure,O&#39;lchov birligi,
-Loan Security Code,Kredit xavfsizligi kodi,
-Loan Security Type,Kredit xavfsizligi turi,
-Haircut %,Sartaroshlik%,
-Loan  Details,Kredit haqida ma&#39;lumot,
-Unpledged,Ishlov berilmagan,
-Pledged,Garovga qo&#39;yilgan,
-Partially Pledged,Qisman garovga qo&#39;yilgan,
-Securities,Qimmatli qog&#39;ozlar,
-Total Security Value,Umumiy xavfsizlik qiymati,
-Loan Security Shortfall,Kredit ta&#39;minotidagi kamchilik,
-Loan ,Kredit,
-Shortfall Time,Kamchilik vaqti,
-America/New_York,Amerika / Nyu_York,
-Shortfall Amount,Kamchilik miqdori,
-Security Value ,Xavfsizlik qiymati,
-Process Loan Security Shortfall,Kredit ssudasi garovi,
-Loan To Value Ratio,Qarz qiymatining nisbati,
-Unpledge Time,Bekor qilish vaqti,
-Loan Name,Kredit nomi,
 Rate of Interest (%) Yearly,Foiz stavkasi (%) Yillik,
-Penalty Interest Rate (%) Per Day,Bir kun uchun foiz stavkasi (%),
-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",
-Grace Period in Days,Kunlarda imtiyozli davr,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,Kreditni to&#39;lash muddati kechiktirilgan taqdirda jarima undirilmaydigan sanadan boshlab kunlar soni,
-Pledge,Garov,
-Post Haircut Amount,Soch turmagidan keyin miqdori,
-Process Type,Jarayon turi,
-Update Time,Yangilash vaqti,
-Proposed Pledge,Taklif qilingan garov,
-Total Payment,Jami to&#39;lov,
-Balance Loan Amount,Kreditning qoldig&#39;i,
-Is Accrued,Hisoblangan,
 Salary Slip Loan,Ish haqi pul mablag&#39;lari,
 Loan Repayment Entry,Kreditni qaytarish uchun kirish,
-Sanctioned Loan Amount,Sanktsiyalangan kredit miqdori,
-Sanctioned Amount Limit,Sanktsiyalangan miqdor cheklovi,
-Unpledge,Olib tashlash,
-Haircut,Soch kesish,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Jadvalni yarating,
 Schedules,Jadvallar,
@@ -7885,7 +7749,6 @@
 Update Series,Yangilash turkumi,
 Change the starting / current sequence number of an existing series.,Mavjud ketma-ketlikning boshlang&#39;ich / to`g`ri qatorini o`zgartirish.,
 Prefix,Prefiks,
-Current Value,Joriy qiymat,
 This is the number of the last created transaction with this prefix,"Bu, bu old qo&#39;shimchadagi oxirgi yaratilgan bitimning sonidir",
 Update Series Number,Series raqamini yangilash,
 Quotation Lost Reason,Iqtibos yo&#39;qolgan sabab,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Tavsiya etilgan buyurtmaning darajasi,
 Lead Details,Qurilma detallari,
 Lead Owner Efficiency,Qurilish egasining samaradorligi,
-Loan Repayment and Closure,Kreditni qaytarish va yopish,
-Loan Security Status,Qarz xavfsizligi holati,
 Lost Opportunity,Yo&#39;qotilgan imkoniyat,
 Maintenance Schedules,Xizmat jadvali,
 Material Requests for which Supplier Quotations are not created,Yetkazib beruvchi kotirovkalari yaratilmagan moddiy talablar,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Maqsadli hisoblar: {0},
 Payment Account is mandatory,To&#39;lov hisobi majburiydir,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Agar tekshirilgan bo&#39;lsa, soliq deklaratsiyasini yoki dalillarni taqdim qilmasdan daromad solig&#39;ini hisoblashdan oldin to&#39;liq summa soliqqa tortiladigan daromaddan ushlab qolinadi.",
-Disbursement Details,To&#39;lov tafsilotlari,
 Material Request Warehouse,Materiallar so&#39;rovi ombori,
 Select warehouse for material requests,Moddiy talablar uchun omborni tanlang,
 Transfer Materials For Warehouse {0},Ombor uchun materiallar uzatish {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Talab qilinmagan miqdorni ish haqidan qaytaring,
 Deduction from salary,Ish haqidan ushlab qolish,
 Expired Leaves,Muddati o&#39;tgan barglar,
-Reference No,Yo&#39;q ma&#39;lumotnoma,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,"Sartaroshlik foizi - bu Kredit ta&#39;minotining bozordagi qiymati va ushbu kredit uchun garov sifatida foydalanilganda, ushbu Kredit xavfsizligi bilan belgilanadigan qiymat o&#39;rtasidagi foiz farqi.",
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,"Kreditning qiymat nisbati kredit miqdorining garovga qo&#39;yilgan xavfsizlik qiymatiga nisbatini ifodalaydi. Agar bu har qanday kredit uchun belgilangan qiymatdan pastroq bo&#39;lsa, qarz kafolatining etishmasligi boshlanadi",
 If this is not checked the loan by default will be considered as a Demand Loan,"Agar bu tekshirilmasa, sukut bo&#39;yicha qarz talabga javob beradigan kredit sifatida qabul qilinadi",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Ushbu hisob qarz oluvchidan kreditni to&#39;lashni bron qilish va qarz oluvchiga qarz berish uchun ishlatiladi,
 This account is capital account which is used to allocate capital for loan disbursal account ,"Ushbu hisob kapital hisobvarag&#39;i bo&#39;lib, u ssudani to&#39;lash hisobiga kapital ajratish uchun ishlatiladi",
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},{0} operatsiyasi {1} buyrug&#39;iga tegishli emas,
 Print UOM after Quantity,Miqdordan keyin UOMni chop eting,
 Set default {0} account for perpetual inventory for non stock items,Birjadan tashqari buyumlar uchun doimiy inventarizatsiya qilish uchun standart {0} hisobini o&#39;rnating,
-Loan Security {0} added multiple times,Kredit xavfsizligi {0} bir necha bor qo&#39;shildi,
-Loan Securities with different LTV ratio cannot be pledged against one loan,LTV koeffitsienti boshqacha bo&#39;lgan kredit qimmatli qog&#39;ozlarini bitta kredit bo&#39;yicha garovga qo&#39;yish mumkin emas,
-Qty or Amount is mandatory for loan security!,Miqdor yoki summa kreditni ta&#39;minlash uchun majburiydir!,
-Only submittted unpledge requests can be approved,Faqat yuborilgan garov talablarini ma&#39;qullash mumkin,
-Interest Amount or Principal Amount is mandatory,Foiz miqdori yoki asosiy summa majburiydir,
-Disbursed Amount cannot be greater than {0},Tugatilgan mablag &#39;miqdori {0} dan katta bo&#39;lishi mumkin emas,
-Row {0}: Loan Security {1} added multiple times,{0} qatori: Kredit xavfsizligi {1} bir necha bor qo&#39;shildi,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,"№ {0} qator: Asosiy mahsulot mahsulot to&#39;plami bo&#39;lmasligi kerak. Iltimos, {1} bandini olib tashlang va Saqlang",
 Credit limit reached for customer {0},Mijoz uchun kredit limitiga erishildi {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Quyidagi majburiy bo&#39;lmagan maydon (lar) tufayli mijozni avtomatik ravishda yaratib bo&#39;lmadi:,
diff --git a/erpnext/translations/vi.csv b/erpnext/translations/vi.csv
index cc20ba5..23290a1 100644
--- a/erpnext/translations/vi.csv
+++ b/erpnext/translations/vi.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL","Áp dụng nếu công ty là SpA, SApA hoặc SRL",
 Applicable if the company is a limited liability company,Áp dụng nếu công ty là công ty trách nhiệm hữu hạn,
 Applicable if the company is an Individual or a Proprietorship,Áp dụng nếu công ty là Cá nhân hoặc Quyền sở hữu,
-Applicant,Người nộp đơn,
-Applicant Type,Loại người nộp đơn,
 Application of Funds (Assets),Ứng dụng của Quỹ (tài sản),
 Application period cannot be across two allocation records,Thời gian đăng ký không thể nằm trong hai bản ghi phân bổ,
 Application period cannot be outside leave allocation period,Kỳ ứng dụng không thể có thời gian phân bổ nghỉ bên ngoài,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,Danh sách cổ đông có số lượng folio,
 Loading Payment System,Đang nạp hệ thống thanh toán,
 Loan,Tiền vay,
-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},
-Loan Application,Đơn xin vay tiền,
-Loan Management,Quản lý khoản vay,
-Loan Repayment,Trả nợ,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,Ngày bắt đầu cho vay và Thời gian cho vay là bắt buộc để lưu Chiết khấu hóa đơn,
 Loans (Liabilities),Các khoản vay (Nợ phải trả),
 Loans and Advances (Assets),Các khoản cho vay và Tiền đặt trước (tài sản),
@@ -1611,7 +1605,6 @@
 Monday,Thứ Hai,
 Monthly,Hàng tháng,
 Monthly Distribution,Phân phối hàng tháng,
-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,
 More,Nhiều Hơn,
 More Information,Thêm thông tin,
 More than one selection for {0} not allowed,Không cho phép nhiều lựa chọn cho {0},
@@ -1884,11 +1877,9 @@
 Pay {0} {1},Thanh toán {0} {1},
 Payable,Phải nộp,
 Payable Account,Tài khoản phải trả,
-Payable Amount,Số tiền phải trả,
 Payment,Thanh toán,
 Payment Cancelled. Please check your GoCardless Account for more details,Thanh toán đã Hủy. Vui lòng kiểm tra Tài khoản GoCard của bạn để biết thêm chi tiết,
 Payment Confirmation,Xác nhận thanh toán,
-Payment Date,Ngày thanh toán,
 Payment Days,Ngày thanh toán,
 Payment Document,Tài liệu Thanh toán,
 Payment Due Date,Thanh toán đáo hạo,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,Vui lòng nhập biên lai nhận hàng trước,
 Please enter Receipt Document,Vui lòng nhập Document Receipt,
 Please enter Reference date,Vui lòng nhập ngày tham khảo,
-Please enter Repayment Periods,Vui lòng nhập kỳ hạn trả nợ,
 Please enter Reqd by Date,Vui lòng nhập Reqd theo ngày,
 Please enter Woocommerce Server URL,Vui lòng nhập URL của Máy chủ Woocommerce,
 Please enter Write Off Account,Vui lòng nhập Viết Tắt tài khoản,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,Vui lòng nhập trung tâm chi phí gốc,
 Please enter quantity for Item {0},Vui lòng nhập số lượng cho hàng {0},
 Please enter relieving date.,Vui lòng nhập ngày giảm.,
-Please enter repayment Amount,Vui lòng nhập trả nợ Số tiền,
 Please enter valid Financial Year Start and End Dates,Vui lòng nhập tài chính hợp lệ Năm Start và Ngày End,
 Please enter valid email address,Vui lòng nhập địa chỉ email hợp lệ,
 Please enter {0} first,Vui lòng nhập {0} đầu tiên,
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,Nội quy định giá được tiếp tục lọc dựa trên số lượng.,
 Primary Address Details,Chi tiết địa chỉ chính,
 Primary Contact Details,Chi tiết liên hệ chính,
-Principal Amount,Số tiền chính,
 Print Format,Định dạng in,
 Print IRS 1099 Forms,In các mẫu IRS 1099,
 Print Report Card,In Báo cáo Thẻ,
@@ -2550,7 +2538,6 @@
 Sample Collection,Bộ sưu tập mẫu,
 Sample quantity {0} cannot be more than received quantity {1},Số lượng mẫu {0} không được nhiều hơn số lượng nhận được {1},
 Sanctioned,Xử phạt,
-Sanctioned Amount,Số tiền xử phạt,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Số tiền bị xử phạt không thể lớn hơn so với yêu cầu bồi thường Số tiền trong Row {0}.,
 Sand,Cát,
 Saturday,Thứ bảy,
@@ -3541,7 +3528,6 @@
 {0} already has a Parent Procedure {1}.,{0} đã có Quy trình dành cho phụ huynh {1}.,
 API,API,
 Annual,Hàng năm,
-Approved,Đã được phê duyệt,
 Change,Thay đổi,
 Contact Email,Email Liên hệ,
 Export Type,Loại xuất khẩu,
@@ -3571,7 +3557,6 @@
 Account Value,Giá trị tài khoản,
 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,
 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},
-Account {0} does not belong to company {1},Tài khoản {0} không thuộc về công ty {1},
 Account {0} does not 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},
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,Tài khoản: <b>{0}</b> là vốn Công việc đang được tiến hành và không thể cập nhật bằng Nhật ký,
 Account: {0} is not permitted under Payment Entry,Tài khoản: {0} không được phép trong Mục thanh toán,
@@ -3582,7 +3567,6 @@
 Activity,Hoạt động,
 Add / Manage Email Accounts.,Thêm / Quản lý tài khoản Email.,
 Add Child,Thêm mẫu con,
-Add Loan Security,Thêm bảo đảm tiền vay,
 Add Multiple,Thêm Phức Hợp,
 Add Participants,Thêm người tham gia,
 Add to Featured Item,Thêm vào mục nổi bật,
@@ -3593,15 +3577,12 @@
 Address Line 1,Địa chỉ Line 1,
 Addresses,Địa chỉ,
 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.,
-Against Loan,Chống cho vay,
-Against Loan:,Chống cho vay:,
 All,Tất cả,
 All bank transactions have been created,Tất cả các giao dịch ngân hàng đã được tạo,
 All the depreciations has been booked,Tất cả các khấu hao đã được đặt,
 Allocation Expired!,Phân bổ hết hạn!,
 Allow Resetting Service Level Agreement from Support Settings.,Cho phép đặt lại Thỏa thuận cấp độ dịch vụ từ Cài đặt hỗ trợ.,
 Amount of {0} is required for Loan closure,Số tiền {0} là bắt buộc để đóng khoản vay,
-Amount paid cannot be zero,Số tiền thanh toán không thể bằng không,
 Applied Coupon Code,Mã giảm giá áp dụng,
 Apply Coupon Code,Áp dụng mã phiếu thưởng,
 Appointment Booking,Đặt hẹn,
@@ -3649,7 +3630,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,Không thể tính thời gian đến khi địa chỉ tài xế bị thiếu.,
 Cannot Optimize Route as Driver Address is Missing.,Không thể tối ưu hóa tuyến đường vì địa chỉ tài xế bị thiếu.,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Không thể hoàn thành tác vụ {0} vì tác vụ phụ thuộc của nó {1} không được hoàn thành / hủy bỏ.,
-Cannot create loan until application is approved,Không thể tạo khoản vay cho đến khi đơn được chấp thuận,
 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}.,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings","Không thể ghi đè cho Mục {0} trong hàng {1} nhiều hơn {2}. Để cho phép thanh toán vượt mức, vui lòng đặt trợ cấp trong Cài đặt tài khoản",
 "Capacity Planning Error, planned start time can not be same as end time","Lỗi lập kế hoạch năng lực, thời gian bắt đầu dự kiến không thể giống như thời gian kết thúc",
@@ -3812,20 +3792,9 @@
 Less Than Amount,Ít hơn số lượng,
 Liabilities,Nợ phải trả,
 Loading...,Đang tải...,
-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,
 Loan Applications from customers and employees.,Ứng dụng cho vay từ khách hàng và nhân viên.,
-Loan Disbursement,Giải ngân cho vay,
 Loan Processes,Quy trình cho vay,
-Loan Security,Bảo đảm tiền vay,
-Loan Security Pledge,Cam kết bảo đảm tiền vay,
-Loan Security Pledge Created : {0},Cam kết bảo mật khoản vay được tạo: {0},
-Loan Security Price,Giá bảo đảm tiền vay,
-Loan Security Price overlapping with {0},Giá bảo đảm tiền vay chồng chéo với {0},
-Loan Security Unpledge,Bảo đảm cho vay,
-Loan Security Value,Giá trị bảo đảm tiền vay,
 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,
-Loan amount cannot be greater than {0},Số tiền cho vay không thể lớn hơn {0},
-Loan is mandatory,Khoản vay là bắt buộc,
 Loans,Cho vay,
 Loans provided to customers and employees.,Các khoản vay cung cấp cho khách hàng và nhân viên.,
 Location,Vị trí,
@@ -3894,7 +3863,6 @@
 Pay,Trả,
 Payment Document Type,Loại chứng từ thanh toán,
 Payment Name,Tên thanh toán,
-Penalty Amount,Số tiền phạt,
 Pending,Chờ,
 Performance,Hiệu suất,
 Period based On,Thời gian dựa trên,
@@ -3916,10 +3884,8 @@
 Please login as a Marketplace User to edit this item.,Vui lòng đăng nhập với tư cách là Người dùng Marketplace để chỉnh sửa mục này.,
 Please login as a Marketplace User to report this item.,Vui lòng đăng nhập với tư cách là Người dùng Marketplace để báo cáo mục này.,
 Please select <b>Template Type</b> to download template,Vui lòng chọn <b>Loại mẫu</b> để tải xuống mẫu,
-Please select Applicant Type first,Vui lòng chọn Loại người đăng ký trước,
 Please select Customer first,Vui lòng chọn Khách hàng trước,
 Please select Item Code first,Vui lòng chọn Mã hàng trước,
-Please select Loan Type for company {0},Vui lòng chọn Loại cho vay đối với công ty {0},
 Please select a Delivery Note,Vui lòng chọn một ghi chú giao hàng,
 Please select a Sales Person for item: {0},Vui lòng chọn Nhân viên bán hàng cho mặt hàng: {0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',Vui lòng chọn một phương thức thanh toán khác. Sọc không hỗ trợ giao dịch bằng tiền tệ &#39;{0}&#39;,
@@ -3935,8 +3901,6 @@
 Please setup a default bank account for company {0},Vui lòng thiết lập tài khoản ngân hàng mặc định cho công ty {0},
 Please specify,Vui lòng chỉ,
 Please specify a {0},Vui lòng chỉ định {0},lead
-Pledge Status,Tình trạng cầm cố,
-Pledge Time,Thời gian cầm cố,
 Printing,In ấn,
 Priority,Ưu tiên,
 Priority has been changed to {0}.,Ưu tiên đã được thay đổi thành {0}.,
@@ -3944,7 +3908,6 @@
 Processing XML Files,Xử lý tệp XML,
 Profitability,Khả năng sinh lời,
 Project,Dự Án,
-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,
 Provide the academic year and set the starting and ending date.,Cung cấp năm học và thiết lập ngày bắt đầu và ngày kết thúc.,
 Public token is missing for this bank,Mã thông báo công khai bị thiếu cho ngân hàng này,
 Publish,Công bố,
@@ -3960,7 +3923,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Biên lai mua hàng không có bất kỳ Mục nào cho phép Giữ lại mẫu được bật.,
 Purchase Return,Mua Quay lại,
 Qty of Finished Goods Item,Số lượng thành phẩm,
-Qty or Amount is mandatroy for loan security,Số lượng hoặc số tiền là mandatroy để bảo đảm tiền vay,
 Quality Inspection required for Item {0} to submit,Kiểm tra chất lượng cần thiết cho Mục {0} để gửi,
 Quantity to Manufacture,Số lượng sản xuất,
 Quantity to Manufacture can not be zero for the operation {0},Số lượng sản xuất không thể bằng 0 cho hoạt động {0},
@@ -3981,8 +3943,6 @@
 Relieving Date must be greater than or equal to Date of Joining,Ngày giải phóng phải lớn hơn hoặc bằng Ngày tham gia,
 Rename,Đổi tên,
 Rename Not Allowed,Đổi tên không được phép,
-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,
-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,
 Report Item,Mục báo cáo,
 Report this Item,Báo cáo mục này,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Qty dành riêng cho hợp đồng thầu phụ: Số lượng nguyên liệu thô để làm các mặt hàng được ký hợp đồng phụ.,
@@ -4015,8 +3975,6 @@
 Row({0}): {1} is already discounted in {2},Hàng ({0}): {1} đã được giảm giá trong {2},
 Rows Added in {0},Hàng được thêm vào {0},
 Rows Removed in {0},Hàng bị xóa trong {0},
-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},
-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},
 Save,Lưu,
 Save Item,Lưu mục,
 Saved Items,Các mục đã lưu,
@@ -4135,7 +4093,6 @@
 User {0} is disabled,Người sử dụng {0} bị vô hiệu hóa,
 Users and Permissions,Người sử dụng và Quyền,
 Vacancies cannot be lower than the current openings,Vị trí tuyển dụng không thể thấp hơn mức mở hiện tại,
-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ệ.,
 Valuation Rate required for Item {0} at row {1},Tỷ lệ định giá được yêu cầu cho Mục {0} tại hàng {1},
 Values Out Of Sync,Giá trị không đồng bộ,
 Vehicle Type is required if Mode of Transport is Road,Loại phương tiện được yêu cầu nếu Phương thức vận tải là Đường bộ,
@@ -4211,7 +4168,6 @@
 Add to Cart,Thêm vào giỏ hàng,
 Days Since Last Order,Ngày kể từ lần đặt hàng cuối cùng,
 In Stock,Trong tồn kho,
-Loan Amount is mandatory,Số tiền cho vay là bắt buộc,
 Mode Of Payment,Hình thức thanh toán,
 No students Found,Không tìm thấy sinh viên,
 Not in Stock,Không trong kho,
@@ -4240,7 +4196,6 @@
 Group by,Nhóm theo,
 In stock,Trong kho,
 Item name,Tên hàng,
-Loan amount is mandatory,Số tiền cho vay là bắt buộc,
 Minimum Qty,Số lượng tối thiểu,
 More details,Xem chi tiết,
 Nature of Supplies,Bản chất của nguồn cung cấp,
@@ -4409,9 +4364,6 @@
 Total Completed Qty,Tổng số đã hoàn thành,
 Qty to Manufacture,Số lượng Để sản xuất,
 Repay From Salary can be selected only for term loans,Trả nợ theo lương chỉ có thể được chọn cho các khoản vay có kỳ hạn,
-No valid Loan Security Price found for {0},Không tìm thấy Giá Bảo đảm Khoản vay hợp lệ cho {0},
-Loan Account and Payment Account cannot be same,Tài khoản Khoản vay và Tài khoản Thanh toán không được giống nhau,
-Loan Security Pledge can only be created for secured loans,Cam kết Bảo đảm Khoản vay chỉ có thể được tạo cho các khoản vay có bảo đảm,
 Social Media Campaigns,Chiến dịch truyền thông xã hội,
 From Date can not be greater than To Date,Từ ngày không được lớn hơn Đến nay,
 Please set a Customer linked to the Patient,Vui lòng đặt Khách hàng được liên kết với Bệnh nhân,
@@ -6437,7 +6389,6 @@
 HR User,Người sử dụng nhân sự,
 Appointment Letter,Thư hẹn,
 Job Applicant,Nộp đơn công việc,
-Applicant Name,Tên đơn,
 Appointment Date,Ngày hẹn,
 Appointment Letter Template,Mẫu thư bổ nhiệm,
 Body,Thân hình,
@@ -7059,99 +7010,12 @@
 Sync in Progress,Đang đồng bộ hóa,
 Hub Seller Name,Tên người bán trên Hub,
 Custom Data,Dữ liệu Tuỳ chỉnh,
-Member,Hội viên,
-Partially Disbursed,phần giải ngân,
-Loan Closure Requested,Yêu cầu đóng khoản vay,
 Repay From Salary,Trả nợ từ lương,
-Loan Details,Chi tiết vay,
-Loan Type,Loại cho vay,
-Loan Amount,Số tiền vay,
-Is Secured Loan,Khoản vay có bảo đảm,
-Rate of Interest (%) / Year,Lãi suất thị trường (%) / năm,
-Disbursement Date,ngày giải ngân,
-Disbursed Amount,Số tiền giải ngân,
-Is Term Loan,Vay có kỳ hạn,
-Repayment Method,Phương pháp trả nợ,
-Repay Fixed Amount per Period,Trả cố định Số tiền cho mỗi thời kỳ,
-Repay Over Number of Periods,Trả Trong số kỳ,
-Repayment Period in Months,Thời gian trả nợ trong tháng,
-Monthly Repayment Amount,Số tiền trả hàng tháng,
-Repayment Start Date,Ngày bắt đầu thanh toán,
-Loan Security Details,Chi tiết bảo mật khoản vay,
-Maximum Loan Value,Giá trị khoản vay tối đa,
-Account Info,Thông tin tài khoản,
-Loan Account,Tài khoản cho vay,
-Interest Income Account,Tài khoản thu nhập lãi,
-Penalty Income Account,Tài khoản thu nhập phạt,
-Repayment Schedule,Kế hoạch trả nợ,
-Total Payable Amount,Tổng số tiền phải nộp,
-Total Principal Paid,Tổng số tiền gốc,
-Total Interest Payable,Tổng số lãi phải trả,
-Total Amount Paid,Tổng số tiền thanh toán,
-Loan Manager,Quản lý khoản vay,
-Loan Info,Thông tin cho vay,
-Rate of Interest,lãi suất thị trường,
-Proposed Pledges,Dự kiến cam kết,
-Maximum Loan Amount,Số tiền cho vay tối đa,
-Repayment Info,Thông tin thanh toán,
-Total Payable Interest,Tổng số lãi phải trả,
-Against Loan ,Chống lại khoản vay,
-Loan Interest Accrual,Tiền lãi cộng dồn,
-Amounts,Lượng,
-Pending Principal Amount,Số tiền gốc đang chờ xử lý,
-Payable Principal Amount,Số tiền gốc phải trả,
-Paid Principal Amount,Số tiền gốc đã trả,
-Paid Interest Amount,Số tiền lãi phải trả,
-Process Loan Interest Accrual,Quá trình cho vay lãi tích lũy,
-Repayment Schedule Name,Tên lịch trình trả nợ,
 Regular Payment,Thanh toán thường xuyên,
 Loan Closure,Đóng khoản vay,
-Payment Details,Chi tiết Thanh toán,
-Interest Payable,Phải trả lãi,
-Amount Paid,Số tiền trả,
-Principal Amount Paid,Số tiền gốc phải trả,
-Repayment Details,Chi tiết Trả nợ,
-Loan Repayment Detail,Chi tiết Trả nợ Khoản vay,
-Loan Security Name,Tên bảo mật cho vay,
-Unit Of Measure,Đơn vị đo lường,
-Loan Security Code,Mã bảo đảm tiền vay,
-Loan Security Type,Loại bảo đảm tiền vay,
-Haircut %,Cắt tóc%,
-Loan  Details,Chi tiết khoản vay,
-Unpledged,Không ghép,
-Pledged,Cầm cố,
-Partially Pledged,Cam kết một phần,
-Securities,Chứng khoán,
-Total Security Value,Tổng giá trị bảo mật,
-Loan Security Shortfall,Thiếu hụt an ninh cho vay,
-Loan ,Tiền vay,
-Shortfall Time,Thời gian thiếu,
-America/New_York,Mỹ / New_York,
-Shortfall Amount,Số tiền thiếu,
-Security Value ,Giá trị bảo mật,
-Process Loan Security Shortfall,Thiếu hụt bảo đảm tiền vay,
-Loan To Value Ratio,Tỷ lệ vay vốn,
-Unpledge Time,Thời gian mở,
-Loan Name,Tên vay,
 Rate of Interest (%) Yearly,Lãi suất thị trường (%) hàng năm,
-Penalty Interest Rate (%) Per Day,Lãi suất phạt (%) mỗi ngày,
-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,
-Grace Period in Days,Thời gian ân sủng trong ngày,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,Số ngày kể từ ngày đến hạn cho đến khi khoản phạt sẽ không bị tính trong trường hợp chậm trả nợ,
-Pledge,Lời hứa,
-Post Haircut Amount,Số tiền cắt tóc,
-Process Type,Loại quy trình,
-Update Time,Cập nhật thời gian,
-Proposed Pledge,Cam kết đề xuất,
-Total Payment,Tổng tiền thanh toán,
-Balance Loan Amount,Số dư vay nợ,
-Is Accrued,Được tích lũy,
 Salary Slip Loan,Khoản Vay Lương,
 Loan Repayment Entry,Trả nợ vay,
-Sanctioned Loan Amount,Số tiền cho vay bị xử phạt,
-Sanctioned Amount Limit,Giới hạn số tiền bị xử phạt,
-Unpledge,Unpledge,
-Haircut,Cắt tóc,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,Tạo lịch trình,
 Schedules,Lịch,
@@ -7885,7 +7749,6 @@
 Update Series,Cập nhật sê ri,
 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ó.,
 Prefix,Tiền tố,
-Current Value,Giá trị hiện tại,
 This is the number of the last created transaction with this prefix,Đây là số lượng các giao dịch tạo ra cuối cùng với tiền tố này,
 Update Series Number,Cập nhật số sê ri,
 Quotation Lost Reason,lý do bảng báo giá mất,
@@ -8516,8 +8379,6 @@
 Itemwise Recommended Reorder Level,Mẫu hàng thông minh được gợi ý sắp xếp lại theo cấp độ,
 Lead Details,Chi tiết Tiềm năng,
 Lead Owner Efficiency,Hiệu quả Chủ đầu tư,
-Loan Repayment and Closure,Trả nợ và đóng,
-Loan Security Status,Tình trạng bảo đảm tiền vay,
 Lost Opportunity,Mất cơ hội,
 Maintenance Schedules,Lịch bảo trì,
 Material Requests for which Supplier Quotations are not created,Các yêu cầu vật chất mà Trích dẫn Nhà cung cấp không được tạo ra,
@@ -8608,7 +8469,6 @@
 Counts Targeted: {0},Số lượng được Nhắm mục tiêu: {0},
 Payment Account is mandatory,Tài khoản thanh toán là bắt buộc,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.","Nếu được kiểm tra, toàn bộ số tiền sẽ được khấu trừ vào thu nhập chịu thuế trước khi tính thuế thu nhập mà không cần kê khai hoặc nộp chứng từ nào.",
-Disbursement Details,Chi tiết giải ngân,
 Material Request Warehouse,Kho yêu cầu nguyên liệu,
 Select warehouse for material requests,Chọn kho cho các yêu cầu nguyên liệu,
 Transfer Materials For Warehouse {0},Chuyển Vật liệu Cho Kho {0},
@@ -8996,9 +8856,6 @@
 Repay unclaimed amount from salary,Hoàn trả số tiền chưa nhận được từ tiền lương,
 Deduction from salary,Khấu trừ lương,
 Expired Leaves,Lá hết hạn,
-Reference No,tài liệu tham khảo số,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,Tỷ lệ phần trăm cắt tóc là phần trăm chênh lệch giữa giá trị thị trường của Bảo đảm Khoản vay và giá trị được quy định cho Bảo đảm Khoản vay đó khi được sử dụng làm tài sản thế chấp cho khoản vay đó.,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,Tỷ lệ cho vay trên giá trị thể hiện tỷ lệ giữa số tiền cho vay với giá trị của tài sản đảm bảo được cầm cố. Sự thiếu hụt bảo đảm tiền vay sẽ được kích hoạt nếu điều này giảm xuống dưới giá trị được chỉ định cho bất kỳ khoản vay nào,
 If this is not checked the loan by default will be considered as a Demand Loan,"Nếu điều này không được kiểm tra, khoản vay mặc định sẽ được coi là Khoản vay không kỳ hạn",
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,Tài khoản này được sử dụng để hoàn trả khoản vay từ người đi vay và cũng để giải ngân các khoản vay cho người vay,
 This account is capital account which is used to allocate capital for loan disbursal account ,Tài khoản này là tài khoản vốn dùng để cấp vốn cho tài khoản giải ngân cho vay,
@@ -9462,13 +9319,6 @@
 Operation {0} does not belong to the work order {1},Hoạt động {0} không thuộc về trình tự công việc {1},
 Print UOM after Quantity,In UOM sau số lượng,
 Set default {0} account for perpetual inventory for non stock items,Đặt tài khoản {0} mặc định cho khoảng không quảng cáo vĩnh viễn cho các mặt hàng không còn hàng,
-Loan Security {0} added multiple times,Bảo đảm Khoản vay {0} đã được thêm nhiều lần,
-Loan Securities with different LTV ratio cannot be pledged against one loan,Chứng khoán cho vay có tỷ lệ LTV khác nhau không được cầm cố cho một khoản vay,
-Qty or Amount is mandatory for loan security!,Số lượng hoặc Số tiền là bắt buộc để đảm bảo khoản vay!,
-Only submittted unpledge requests can be approved,Chỉ những yêu cầu hủy cam kết đã gửi mới có thể được chấp thuận,
-Interest Amount or Principal Amount is mandatory,Số tiền lãi hoặc Số tiền gốc là bắt buộc,
-Disbursed Amount cannot be greater than {0},Số tiền được giải ngân không được lớn hơn {0},
-Row {0}: Loan Security {1} added multiple times,Hàng {0}: Bảo đảm Khoản vay {1} được thêm nhiều lần,
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,Hàng # {0}: Mục Con không được là Gói sản phẩm. Vui lòng xóa Mục {1} và Lưu,
 Credit limit reached for customer {0},Đã đạt đến giới hạn tín dụng cho khách hàng {0},
 Could not auto create Customer due to the following missing mandatory field(s):,Không thể tự động tạo Khách hàng do thiếu (các) trường bắt buộc sau:,
diff --git a/erpnext/translations/zh-TW.csv b/erpnext/translations/zh-TW.csv
index 23e9e4e..e980327 100644
--- a/erpnext/translations/zh-TW.csv
+++ b/erpnext/translations/zh-TW.csv
@@ -217,7 +217,6 @@
 Copy From Item Group,從項目群組複製
 Opening Entry,開放報名
 Account Pay Only,科目只需支付
-Repay Over Number of Periods,償還期的超過數
 Additional Costs,額外費用
 Account with existing transaction can not be converted to group.,科目與現有的交易不能被轉換到群組。
 Product Enquiry,產品查詢
@@ -317,7 +316,6 @@
 Individual,個人
 Academics User,學術界用戶
 Amount In Figure,量圖
-Loan Info,貸款信息
 Plan for maintenance visits.,規劃維護訪問。
 Supplier Scorecard Period,供應商記分卡期
 Share Transfer,股份轉讓
@@ -684,7 +682,6 @@
 Salary Component for timesheet based payroll.,薪酬部分基於時間表工資。
 Applicable for external driver,適用於外部驅動器
 Used for Production Plan,用於生產計劃
-Total Payment,總付款
 Cannot cancel transaction for Completed Work Order.,無法取消已完成工單的交易。
 Time Between Operations (in mins),作業間隔時間(以分鐘計)
 PO already created for all sales order items,已為所有銷售訂單項創建採購訂單
@@ -863,7 +860,6 @@
 Billed Amt,已結算額
 Training Result Employee,訓練結果員工
 A logical Warehouse against which stock entries are made.,對這些庫存分錄帳進行的邏輯倉庫。
-Total Payable Interest,合計應付利息
 Total Outstanding: {0},總計:{0}
 Sales Invoice Timesheet,銷售發票時間表
 Reference No & Reference Date is required for {0},參考號與參考日期須為{0}
@@ -962,11 +958,9 @@
 Could not find path for ,找不到路徑
 Opening (Dr),開啟(Dr)
 Work End Date,工作結束日期
-Applicant,申請人
 Posting timestamp must be after {0},登錄時間戳記必須晚於{0}
 To make recurring documents,複製文件
 GST Itemised Purchase Register,GST成品採購登記冊
-Total Interest Payable,合計應付利息
 Landed Cost Taxes and Charges,到岸成本稅費
 Actual Start Time,實際開始時間
 Deferred Expense Account,遞延費用科目
@@ -1147,7 +1141,6 @@
 Add Timeslots,添加時代
 Please set Account in Warehouse {0} or Default Inventory Account in Company {1},請在倉庫{0}中設科目或在公司{1}中設置默認庫存科目
 Asset scrapped via Journal Entry {0},通過資產日記帳分錄報廢{0}
-Interest Income Account,利息收入科目
 Max benefits should be greater than zero to dispense benefits,最大的好處應該大於零來分配好處
 Review Invitation Sent,審核邀請已發送
 Shift Assignment,班次分配
@@ -1466,7 +1459,6 @@
 Please enter Account for Change Amount,對於漲跌額請輸入帳號
 Student Batch Name,學生批名
 Holiday List Name,假日列表名稱
-Balance Loan Amount,平衡貸款額
 Added to details,添加到細節
 Schedule Course,課程時間表
 Applicable on Material Request,適用於材料請求
@@ -1568,7 +1560,6 @@
 Cannot promote Employee with status Left,無法提升狀態為Left的員工
 Net Weight UOM,淨重計量單位
 Default Supplier,預設的供應商
-Repayment Schedule,還款計劃
 Shipping Rule Condition,送貨規則條件
 End Date can not be less than Start Date,結束日期不能小於開始日期
 Invoice can't be made for zero billing hour,在零計費時間內無法開具發票
@@ -1718,7 +1709,6 @@
 Disable Rounded Total,禁用圓角總
 Sync in Progress,同步進行中
 Parent Department,家長部門
-Repayment Info,還款信息
 'Entries' cannot be empty,“分錄”不能是空的
 Maintenance Role,維護角色
 Duplicate row {0} with same {1},重複的行{0}同{1}
@@ -2074,7 +2064,6 @@
 Expense Claim {0} already exists for the Vehicle Log,報銷{0}已經存在車輛日誌
 Source Location,來源地點
 Institute Name,學院名稱
-Please enter repayment Amount,請輸入還款金額
 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.,根據總花費可以有多個分層收集因子。但兌換的兌換係數對於所有等級總是相同的。
 Item Variants,項目變體
 Services,服務
@@ -2131,7 +2120,6 @@
 Please input all required Result Value(s),請輸入所有必需的結果值(s)
 Accounts Receivable Summary,應收帳款匯總
 Linked Invoices,鏈接的發票
-Monthly Repayment Amount,每月還款額
 Opening Invoices,打開發票
 Contract Details,合同細節
 Leave Details,留下細節
@@ -2162,7 +2150,6 @@
 "No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",未找到項{0}的有效BOM。無法確保交貨\串口號
 Sales Partner Target,銷售合作夥伴目標
-Maximum Loan Amount,最高貸款額度
 Pricing Rule,定價規則
 Duplicate roll number for student {0},學生{0}的重複卷號
 Duplicate roll number for student {0},學生{0}的重複卷號
@@ -2182,7 +2169,6 @@
 No Items to pack,無項目包裝
 From Value,從價值
 Manufacturing Quantity is mandatory,生產數量是必填的
-Repayment Method,還款方式
 "If checked, the Home page will be the default Item Group for the website",如果選中,主頁將是網站的默認項目組
 Reading 4,4閱讀
 "Students are at the heart of the system, add all your students",學生在系統的心臟,添加所有的學生
@@ -2252,7 +2238,6 @@
 Conversion rate cannot be 0 or 1,轉化率不能為0或1,
 All the mandatory Task for employee creation hasn't been done yet.,所有員工創建的強制性任務尚未完成。
 Credit Controller,信用控制器
-Applicant Type,申請人類型
 03-Deficiency in services,03-服務不足
 Default Medical Code Standard,默認醫療代碼標準
 Purchase Receipt {0} is not submitted,採購入庫單{0}未提交
@@ -2589,7 +2574,6 @@
 Employee {0} has already applied for {1} between {2} and {3} : ,員工{0}已在{2}和{3}之間申請{1}:
 Guardian Interests,守護興趣
 Update Account Name / Number,更新帳戶名稱/號碼
-Current Value,當前值
 Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,多個會計年度的日期{0}存在。請設置公司財年
 Instructor Records to be created by,導師記錄由
 {0} created,{0}已新增
@@ -2639,7 +2623,6 @@
 Attribute Name,屬性名稱
 Generate Invoice At Beginning Of Period,在期初生成發票
 Show In Website,顯示在網站
-Total Payable Amount,合計應付額
 Expected Time (in hours),預期時間(以小時計)
 Check in (group),檢查(組)
 Qty to Order,訂購數量
@@ -2718,7 +2701,6 @@
 Start on,開始
 Hub Category,中心類別
 Vehicle Number,車號
-Loan Amount,貸款額度
 Add Letterhead,添加信頭
 Self-Driving Vehicle,自駕車
 Supplier Scorecard Standing,供應商記分卡站立
@@ -2756,7 +2738,6 @@
 Patient Medical Record,病人醫療記錄
 Group to Non-Group,集團以非組
 Sports,體育
-Loan Name,貸款名稱
 Total Actual,實際總計
 Student Siblings,學生兄弟姐妹
 Subscription Plan Detail,訂閱計劃詳情
@@ -2921,7 +2902,6 @@
 Invalid {0} for Inter Company Invoice.,Inter公司發票無效的{0}。
 Department Analytics,部門分析
 Email not found in default contact,在默認聯繫人中找不到電子郵件
-Account Info,帳戶信息
 Default Billing Rate,默認計費率
 {0} Student Groups created.,{0}創建學生組。
 {0} Student Groups created.,{0}創建學生組。
@@ -2988,7 +2968,6 @@
 ) for {0},)為{0}
 Approving Role (above authorized value),批准角色(上述授權值)
 Credit To account must be a Payable account,信用科目必須是應付帳款
-Total Amount Paid,總金額支付
 Insurance End Date,保險終止日期
 Please select Student Admission which is mandatory for the paid student applicant,請選擇付費學生申請者必須入學的學生
 BOM recursion: {0} cannot be parent or child of {2},BOM遞歸: {0}不能父母或兒童{2}
@@ -3096,7 +3075,6 @@
 Allow Users,允許用戶
 Customer Mobile No,客戶手機號碼
 Cash Flow Mapping Template Details,現金流量映射模板細節
-Loan Management,貸款管理
 Track separate Income and Expense for product verticals or divisions.,跟踪獨立收入和支出進行產品垂直或部門。
 Item Reorder,項目重新排序
 Show Salary Slip,顯示工資單
@@ -3554,7 +3532,6 @@
 {0} {1} is disabled,{0} {1}被禁用
 Billing Currency,結算貨幣
 Extra Large,特大號
-Loan Application,申請貸款
 Scientific Name,科學名稱
 Service Unit Type,服務單位類型
 Branch Code,分行代碼
@@ -3733,7 +3710,6 @@
 Sales Team1,銷售團隊1,
 Item {0} does not exist,項目{0}不存在
 Customer Address,客戶地址
-Loan Details,貸款詳情
 Failed to setup post company fixtures,未能設置公司固定裝置
 Default Inventory Account,默認庫存科目
 The folio numbers are not matching,作品集編號不匹配
@@ -4015,7 +3991,6 @@
 Reference #{0} dated {1},參考# {0}於{1}
 Depreciation Eliminated due to disposal of assets,折舊淘汰因處置資產
 New Employee ID,新員工ID,
-Member,會員
 Work Order Item,工作訂單項目
 Item Code,產品編號
 Warranty / AMC Details,保修/ AMC詳情
@@ -4143,7 +4118,6 @@
 N,ñ
 Remaining,剩餘
 Appraisal,評價
-Loan Account,貸款科目
 GST Details,消費稅細節
 This is based on transactions against this Healthcare Practitioner.,這是基於針對此醫療保健從業者的交易。
 Email sent to supplier {0},電子郵件發送到供應商{0}
@@ -4309,7 +4283,6 @@
 Insurance Details,保險詳情
 Payable,支付
 Share Type,分享類型
-Please enter Repayment Periods,請輸入還款期
 Debtors ({0}),債務人({0})
 Margin,餘量
 New Customers,新客戶
@@ -4393,7 +4366,6 @@
 Valuation type charges can not marked as Inclusive,估值類型罪名不能標記為包容性
 Update Stock,庫存更新
 Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,不同計量單位的項目會導致不正確的(總)淨重值。確保每個項目的淨重是在同一個計量單位。
-Payment Details,付款詳情
 BOM Rate,BOM率
 "Stopped Work Order cannot be cancelled, Unstop it first to cancel",停止的工作訂單不能取消,先取消它
 Journal Entry for Scrap,日記帳分錄報廢
@@ -4563,7 +4535,7 @@
 Progress % for a task cannot be more than 100.,為任務進度百分比不能超過100個。
 Before reconciliation,調整前
 Taxes and Charges Added (Company Currency),稅收和收費上架(公司貨幣)
-Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,商品稅行{0}必須有科目類型為"稅" 或 "收入" 或 "支出" 或 "課稅的"
+Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"商品稅行{0}必須有科目類型為""稅"" 或 ""收入"" 或 ""支出"" 或 ""課稅的"""
 Partly Billed,天色帳單
 Item {0} must be a Fixed Asset Item,項{0}必須是固定資產項目
 Make Variants,變種
@@ -4628,7 +4600,6 @@
 Grant,格蘭特
 No Student Groups created.,沒有學生團體創建的。
 Serial No,序列號
-Monthly Repayment Amount cannot be greater than Loan Amount,每月還款額不能超過貸款金額較大
 Please enter Maintaince Details first,請先輸入維護細節
 Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,行#{0}:預計交貨日期不能在採購訂單日期之前
 Print Language,打印語言
@@ -4845,7 +4816,6 @@
 Healthcare Service Unit,醫療服務單位
 Cash Flow Statement,現金流量表
 No material request created,沒有創建重要請求
-Loan Amount cannot exceed Maximum Loan Amount of {0},貸款額不能超過最高貸款額度{0}
 License,執照
 Please remove this Invoice {0} from C-Form {1},請刪除此發票{0}從C-表格{1}
 Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,請選擇結轉,如果你還需要包括上一會計年度的資產負債葉本財年
@@ -5113,7 +5083,6 @@
 Planning,規劃
 Signee,簽署人
 Issued,發行
-Repayment Start Date,還款開始日期
 Student Activity,學生活動
 Supplier Id,供應商編號
 Payment Gateway Details,支付網關細節
@@ -5457,7 +5426,6 @@
 Item {0} has been disabled,項{0}已被禁用
 Total Billable Amount (via Timesheet),總計費用金額(通過時間表)
 Previous Business Day,前一個營業日
-Repay Fixed Amount per Period,償還每期固定金額
 Health Insurance No,健康保險No,
 Tax Exemption Proofs,免稅證明
 Please enter quantity for Item {0},請輸入項目{0}的量
@@ -5513,7 +5481,6 @@
 Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,支付計劃中的總付款金額必須等於大/圓
 Plan,計劃
 Bank Statement balance as per General Ledger,銀行對賬單餘額按總帳
-Applicant Name,申請人名稱
 Customer / Item Name,客戶/品項名稱
 "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**. 
 
@@ -6059,7 +6026,6 @@
 Stock Qty,庫存數量
 Stock Qty,庫存數量
 Default Shipping Account,默認運輸科目
-Repayment Period in Months,在月還款期
 Error: Not a valid id?,錯誤:沒有有效的身份證?
 Update Series Number,更新序列號
 Equity,公平
@@ -6316,7 +6282,6 @@
 Voucher Type,憑證類型
 Max Retry Limit,最大重試限制
 Price List not found or disabled,價格表未找到或被禁用
-Approved,批准
 Price,價格
 Employee relieved on {0} must be set as 'Left',員工解除對{0}必須設定為“左”
 Last Sync On,上次同步開啟
@@ -6434,7 +6399,6 @@
 Actual Qty is mandatory,實際數量是強制性
 "{0} currently has a {1} Supplier Scorecard standing, and Purchase Orders to this supplier should be issued with caution.",{0}目前擁有{1}供應商記分卡,而採購訂單應謹慎提供給供應商。
 Asset Maintenance Team,資產維護團隊
-Loan Type,貸款類型
 Scheduling Tool,調度工具
 Item to be manufactured or repacked,產品被製造或重新包裝
 Syntax error in condition: {0},條件中的語法錯誤:{0}
@@ -6534,7 +6498,6 @@
 Ref Date,參考日期
 Reason for Leaving,離職原因
 Operating Cost(Company Currency),營業成本(公司貨幣)
-Sanctioned Amount,制裁金額
 Shelf Life In Days,保質期天數
 Is Opening,是開幕
 Expense Approvers,費用審批人
diff --git a/erpnext/translations/zh.csv b/erpnext/translations/zh.csv
index 95a4c96..7af5ed1 100644
--- a/erpnext/translations/zh.csv
+++ b/erpnext/translations/zh.csv
@@ -232,8 +232,6 @@
 "Applicable if the company is SpA, SApA or SRL",如果公司是SpA,SApA或SRL,则适用,
 Applicable if the company is a limited liability company,适用于公司是有限责任公司的情况,
 Applicable if the company is an Individual or a Proprietorship,适用于公司是个人或独资企业的情况,
-Applicant,申请人,
-Applicant Type,申请人类型,
 Application of Funds (Assets),资金(资产)申请,
 Application period cannot be across two allocation records,申请期限不能跨越两个分配记录,
 Application period cannot be outside leave allocation period,申请期间须在休假分配周期内,
@@ -1471,10 +1469,6 @@
 List of available Shareholders with folio numbers,包含folio号码的可用股东名单,
 Loading Payment System,加载支付系统,
 Loan,贷款,
-Loan Amount cannot exceed Maximum Loan Amount of {0},贷款额不能超过最高贷款额度{0},
-Loan Application,申请贷款,
-Loan Management,贷款管理,
-Loan Repayment,偿还借款,
 Loan Start Date and Loan Period are mandatory to save the Invoice Discounting,贷款开始日期和贷款期限是保存发票折扣的必要条件,
 Loans (Liabilities),借款(负债),
 Loans and Advances (Assets),贷款及垫款(资产),
@@ -1611,7 +1605,6 @@
 Monday,星期一,
 Monthly,每月,
 Monthly Distribution,月度分布,
-Monthly Repayment Amount cannot be greater than Loan Amount,每月还款额不能超过贷款金额较大,
 More,更多,
 More Information,更多信息,
 More than one selection for {0} not allowed,不允许对{0}进行多次选择,
@@ -1884,11 +1877,9 @@
 Pay {0} {1},支付{0} {1},
 Payable,应付,
 Payable Account,应付科目,
-Payable Amount,应付金额,
 Payment,付款,
 Payment Cancelled. Please check your GoCardless Account for more details,付款已取消。请检查您的GoCardless科目以了解更多信息,
 Payment Confirmation,付款确认,
-Payment Date,付款日期,
 Payment Days,付款天数,
 Payment Document,付款单据,
 Payment Due Date,付款到期日,
@@ -1982,7 +1973,6 @@
 Please enter Purchase Receipt first,请先输入采购收货单号,
 Please enter Receipt Document,请输入收据凭证,
 Please enter Reference date,参考日期请输入,
-Please enter Repayment Periods,请输入还款期,
 Please enter Reqd by Date,请输入按日期请求,
 Please enter Woocommerce Server URL,请输入Woocommerce服务器网址,
 Please enter Write Off Account,请输入销帐科目,
@@ -1994,7 +1984,6 @@
 Please enter parent cost center,请输入父成本中心,
 Please enter quantity for Item {0},请输入物料{0}数量,
 Please enter relieving date.,请输入离职日期。,
-Please enter repayment Amount,请输入还款金额,
 Please enter valid Financial Year Start and End Dates,请输入有效的财务年度开始和结束日期,
 Please enter valid email address,请输入有效的电子邮件地址,
 Please enter {0} first,请先输入{0},
@@ -2160,7 +2149,6 @@
 Pricing Rules are further filtered based on quantity.,定价规则进一步过滤基于数量。,
 Primary Address Details,主要地址信息,
 Primary Contact Details,主要联系方式,
-Principal Amount,本金,
 Print Format,打印格式,
 Print IRS 1099 Forms,打印IRS 1099表格,
 Print Report Card,打印报表卡,
@@ -2550,7 +2538,6 @@
 Sample Collection,样品收集,
 Sample quantity {0} cannot be more than received quantity {1},采样数量{0}不能超过接收数量{1},
 Sanctioned,核准,
-Sanctioned Amount,已核准金额,
 Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,核准金额不能大于行{0}的申报额。,
 Sand,砂,
 Saturday,星期六,
@@ -3540,7 +3527,6 @@
 {0} already has a Parent Procedure {1}.,{0}已有父程序{1}。,
 API,应用程序界面,
 Annual,全年,
-Approved,已批准,
 Change,变化,
 Contact Email,联络人电邮,
 Export Type,导出类型,
@@ -3570,7 +3556,6 @@
 Account Value,账户价值,
 Account is mandatory to get payment entries,必须输入帐户才能获得付款条目,
 Account is not set for the dashboard chart {0},没有为仪表板图表{0}设置帐户,
-Account {0} does not belong to company {1},科目{0}不属于公司{1},
 Account {0} does not exists in the dashboard chart {1},帐户{0}在仪表板图表{1}中不存在,
 Account: <b>{0}</b> is capital Work in progress and can not be updated by Journal Entry,帐户: <b>{0}</b>是资金正在进行中,日记帐分录无法更新,
 Account: {0} is not permitted under Payment Entry,帐户:付款条目下不允许{0},
@@ -3581,7 +3566,6 @@
 Activity,活动,
 Add / Manage Email Accounts.,添加/管理电子邮件帐户。,
 Add Child,添加子项,
-Add Loan Security,添加贷款安全,
 Add Multiple,添加多个,
 Add Participants,添加参与者,
 Add to Featured Item,添加到特色商品,
@@ -3592,15 +3576,12 @@
 Address Line 1,地址行1,
 Addresses,地址,
 Admission End Date should be greater than Admission Start Date.,入学结束日期应大于入学开始日期。,
-Against Loan,反对贷款,
-Against Loan:,反对贷款:,
 All,所有,
 All bank transactions have been created,已创建所有银行交易,
 All the depreciations has been booked,所有折旧已被预订,
 Allocation Expired!,分配已过期!,
 Allow Resetting Service Level Agreement from Support Settings.,允许从支持设置重置服务水平协议。,
 Amount of {0} is required for Loan closure,结清贷款需要{0}的金额,
-Amount paid cannot be zero,支付的金额不能为零,
 Applied Coupon Code,应用的优惠券代码,
 Apply Coupon Code,申请优惠券代码,
 Appointment Booking,预约预约,
@@ -3648,7 +3629,6 @@
 Cannot Calculate Arrival Time as Driver Address is Missing.,由于缺少驱动程序地址,无法计算到达时间。,
 Cannot Optimize Route as Driver Address is Missing.,由于缺少驱动程序地址,无法优化路由。,
 Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,无法完成任务{0},因为其相关任务{1}尚未完成/取消。,
-Cannot create loan until application is approved,在申请获得批准之前无法创建贷款,
 Cannot find a matching Item. Please select some other value for {0}.,无法找到匹配的项目。请选择其他值{0}。,
 "Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set allowance in Accounts Settings",第{1}行中的项目{0}的出价不能超过{2}。要允许超额计费,请在“帐户设置”中设置配额,
 "Capacity Planning Error, planned start time can not be same as end time",容量规划错误,计划的开始时间不能与结束时间相同,
@@ -3811,20 +3791,9 @@
 Less Than Amount,少于金额,
 Liabilities,负债,
 Loading...,载入中...,
-Loan Amount exceeds maximum loan amount of {0} as per proposed securities,根据建议的证券,贷款额超过最高贷款额{0},
 Loan Applications from customers and employees.,客户和员工的贷款申请。,
-Loan Disbursement,贷款支出,
 Loan Processes,贷款流程,
-Loan Security,贷款担保,
-Loan Security Pledge,贷款担保,
-Loan Security Pledge Created : {0},已创建的贷款安全承诺:{0},
-Loan Security Price,贷款担保价,
-Loan Security Price overlapping with {0},贷款证券价格与{0}重叠,
-Loan Security Unpledge,贷款担保,
-Loan Security Value,贷款担保价值,
 Loan Type for interest and penalty rates,利率和罚款率的贷款类型,
-Loan amount cannot be greater than {0},贷款金额不能大于{0},
-Loan is mandatory,贷款是强制性的,
 Loans,贷款,
 Loans provided to customers and employees.,提供给客户和员工的贷款。,
 Location,位置,
@@ -3893,7 +3862,6 @@
 Pay,支付,
 Payment Document Type,付款单据类型,
 Payment Name,付款名称,
-Penalty Amount,罚款金额,
 Pending,有待,
 Performance,性能,
 Period based On,期间基于,
@@ -3915,10 +3883,8 @@
 Please login as a Marketplace User to edit this item.,请以市场用户身份登录以编辑此项目。,
 Please login as a Marketplace User to report this item.,请以市场用户身份登录以报告此项目。,
 Please select <b>Template Type</b> to download template,请选择<b>模板类型</b>以下载模板,
-Please select Applicant Type first,请先选择申请人类型,
 Please select Customer first,请先选择客户,
 Please select Item Code first,请先选择商品代码,
-Please select Loan Type for company {0},请为公司{0}选择贷款类型,
 Please select a Delivery Note,请选择送货单,
 Please select a Sales Person for item: {0},请为以下项目选择销售人员:{0},
 Please select another payment method. Stripe does not support transactions in currency '{0}',请选择其他付款方式。 Stripe不支持货币“{0}”的交易,
@@ -3934,8 +3900,6 @@
 Please setup a default bank account for company {0},请为公司{0}设置默认银行帐户,
 Please specify,请注明,
 Please specify a {0},请指定一个{0},lead
-Pledge Status,质押状态,
-Pledge Time,承诺时间,
 Printing,打印,
 Priority,优先,
 Priority has been changed to {0}.,优先级已更改为{0}。,
@@ -3943,7 +3907,6 @@
 Processing XML Files,处理XML文件,
 Profitability,盈利能力,
 Project,项目,
-Proposed Pledges are mandatory for secured Loans,建议抵押是抵押贷款的强制性要求,
 Provide the academic year and set the starting and ending date.,提供学年并设置开始和结束日期。,
 Public token is missing for this bank,此银行缺少公共令牌,
 Publish,发布,
@@ -3959,7 +3922,6 @@
 Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,购买收据没有任何启用了保留样本的项目。,
 Purchase Return,采购退货,
 Qty of Finished Goods Item,成品数量,
-Qty or Amount is mandatroy for loan security,数量或金额是贷款担保的强制要求,
 Quality Inspection required for Item {0} to submit,要提交项目{0}所需的质量检验,
 Quantity to Manufacture,制造数量,
 Quantity to Manufacture can not be zero for the operation {0},操作{0}的制造数量不能为零,
@@ -3980,8 +3942,6 @@
 Relieving Date must be greater than or equal to Date of Joining,取消日期必须大于或等于加入日期,
 Rename,重命名,
 Rename Not Allowed,重命名不允许,
-Repayment Method is mandatory for term loans,定期贷款必须采用还款方法,
-Repayment Start Date is mandatory for term loans,定期贷款的还款开始日期是必填项,
 Report Item,报告项目,
 Report this Item,举报此项目,
 Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,分包的预留数量:制造分包项目的原材料数量。,
@@ -4014,8 +3974,6 @@
 Row({0}): {1} is already discounted in {2},行({0}):{1}已在{2}中打折,
 Rows Added in {0},{0}中添加的行数,
 Rows Removed in {0},在{0}中删除的行,
-Sanctioned Amount limit crossed for {0} {1},越过了{0} {1}的认可金额限制,
-Sanctioned Loan Amount already exists for {0} against company {1},{0}对公司{1}的批准贷款额已存在,
 Save,保存,
 Save Item,保存项目,
 Saved Items,保存的物品,
@@ -4134,7 +4092,6 @@
 User {0} is disabled,用户{0}已禁用,
 Users and Permissions,用户和权限,
 Vacancies cannot be lower than the current openings,职位空缺不能低于目前的职位空缺,
-Valid From Time must be lesser than Valid Upto Time.,有效起始时间必须小于有效起始时间。,
 Valuation Rate required for Item {0} at row {1},第{1}行的第{0}项所需的估价率,
 Values Out Of Sync,值不同步,
 Vehicle Type is required if Mode of Transport is Road,如果运输方式为道路,则需要车辆类型,
@@ -4210,7 +4167,6 @@
 Add to Cart,加入购物车,
 Days Since Last Order,自上次订购以来的天数,
 In Stock,库存,
-Loan Amount is mandatory,贷款金额是强制性的,
 Mode Of Payment,付款方式,
 No students Found,找不到学生,
 Not in Stock,仓库无货,
@@ -4239,7 +4195,6 @@
 Group by,分组基于,
 In stock,有现货,
 Item name,物料名称,
-Loan amount is mandatory,贷款金额是强制性的,
 Minimum Qty,最低数量,
 More details,更多信息,
 Nature of Supplies,供应的性质,
@@ -4408,9 +4363,6 @@
 Total Completed Qty,完成总数量,
 Qty to Manufacture,生产数量,
 Repay From Salary can be selected only for term loans,只能为定期贷款选择“从工资还款”,
-No valid Loan Security Price found for {0},找不到{0}的有效贷款担保价格,
-Loan Account and Payment Account cannot be same,贷款帐户和付款帐户不能相同,
-Loan Security Pledge can only be created for secured loans,只能为有抵押贷款创建贷款安全承诺,
 Social Media Campaigns,社交媒体活动,
 From Date can not be greater than To Date,起始日期不能大于截止日期,
 Please set a Customer linked to the Patient,请设置与患者链接的客户,
@@ -6436,7 +6388,6 @@
 HR User,HR用户,
 Appointment Letter,预约信,
 Job Applicant,求职者,
-Applicant Name,申请人姓名,
 Appointment Date,约会日期,
 Appointment Letter Template,预约信模板,
 Body,身体,
@@ -7058,99 +7009,12 @@
 Sync in Progress,同步进行中,
 Hub Seller Name,集线器卖家名称,
 Custom Data,自定义数据,
-Member,会员,
-Partially Disbursed,部分已支付,
-Loan Closure Requested,请求关闭贷款,
 Repay From Salary,从工资偿还,
-Loan Details,贷款信息,
-Loan Type,贷款类型,
-Loan Amount,贷款额度,
-Is Secured Loan,有抵押贷款,
-Rate of Interest (%) / Year,利息(%)/年的速率,
-Disbursement Date,支付日期,
-Disbursed Amount,支付额,
-Is Term Loan,是定期贷款,
-Repayment Method,还款方式,
-Repay Fixed Amount per Period,偿还每期固定金额,
-Repay Over Number of Periods,偿还期的超过数,
-Repayment Period in Months,在月还款期,
-Monthly Repayment Amount,每月还款额,
-Repayment Start Date,还款开始日期,
-Loan Security Details,贷款安全明细,
-Maximum Loan Value,最高贷款额,
-Account Info,科目信息,
-Loan Account,贷款科目,
-Interest Income Account,利息收入科目,
-Penalty Income Account,罚款收入帐户,
-Repayment Schedule,还款计划,
-Total Payable Amount,合计应付额,
-Total Principal Paid,本金合计,
-Total Interest Payable,合计应付利息,
-Total Amount Paid,总金额支付,
-Loan Manager,贷款经理,
-Loan Info,贷款信息,
-Rate of Interest,利率,
-Proposed Pledges,拟议认捐,
-Maximum Loan Amount,最高贷款额度,
-Repayment Info,还款信息,
-Total Payable Interest,合计应付利息,
-Against Loan ,反对贷款,
-Loan Interest Accrual,贷款利息计提,
-Amounts,金额,
-Pending Principal Amount,本金待定,
-Payable Principal Amount,应付本金,
-Paid Principal Amount,支付本金,
-Paid Interest Amount,已付利息金额,
-Process Loan Interest Accrual,流程贷款利息计提,
-Repayment Schedule Name,还款时间表名称,
 Regular Payment,定期付款,
 Loan Closure,贷款结清,
-Payment Details,付款信息,
-Interest Payable,应付利息,
-Amount Paid,已支付的款项,
-Principal Amount Paid,本金支付,
-Repayment Details,还款明细,
-Loan Repayment Detail,贷款还款明细,
-Loan Security Name,贷款证券名称,
-Unit Of Measure,测量单位,
-Loan Security Code,贷款安全守则,
-Loan Security Type,贷款担保类型,
-Haircut %,理发%,
-Loan  Details,贷款明细,
-Unpledged,无抵押,
-Pledged,已抵押,
-Partially Pledged,部分抵押,
-Securities,有价证券,
-Total Security Value,总安全价值,
-Loan Security Shortfall,贷款安全缺口,
-Loan ,贷款,
-Shortfall Time,短缺时间,
-America/New_York,美国/纽约,
-Shortfall Amount,不足额,
-Security Value ,安全价值,
-Process Loan Security Shortfall,流程贷款安全漏洞,
-Loan To Value Ratio,贷款价值比,
-Unpledge Time,未承诺时间,
-Loan Name,贷款名称,
 Rate of Interest (%) Yearly,利息率的比例(%)年,
-Penalty Interest Rate (%) Per Day,每日罚息(%),
-Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,如果延迟还款,则每日对未付利息征收罚款利率,
-Grace Period in Days,天宽限期,
-No. of days from due date until which penalty won't be charged in case of delay in loan repayment,从到期日起算的天数,直到延迟偿还贷款不收取罚款,
-Pledge,保证,
-Post Haircut Amount,剪发数量,
-Process Type,工艺类型,
-Update Time,更新时间,
-Proposed Pledge,建议的质押,
-Total Payment,总付款,
-Balance Loan Amount,贷款额余额,
-Is Accrued,应计,
 Salary Slip Loan,工资单贷款,
 Loan Repayment Entry,贷款还款录入,
-Sanctioned Loan Amount,认可贷款额,
-Sanctioned Amount Limit,批准的金额限制,
-Unpledge,不承诺,
-Haircut,理发,
 MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-,
 Generate Schedule,生成工时单,
 Schedules,计划任务,
@@ -7884,7 +7748,6 @@
 Update Series,更新系列,
 Change the starting / current sequence number of an existing series.,更改现有系列的起始/当前序列号。,
 Prefix,字首,
-Current Value,当前值,
 This is the number of the last created transaction with this prefix,这就是以这个前缀的最后一个创建的事务数,
 Update Series Number,更新序列号,
 Quotation Lost Reason,报价遗失原因,
@@ -8515,8 +8378,6 @@
 Itemwise Recommended Reorder Level,建议的物料重订货点,
 Lead Details,商机信息,
 Lead Owner Efficiency,线索负责人效率,
-Loan Repayment and Closure,偿还和结清贷款,
-Loan Security Status,贷款安全状态,
 Lost Opportunity,失去的机会,
 Maintenance Schedules,维护计划,
 Material Requests for which Supplier Quotations are not created,无供应商报价的材料申请,
@@ -8607,7 +8468,6 @@
 Counts Targeted: {0},目标计数:{0},
 Payment Account is mandatory,付款帐户是必填项,
 "If checked, the full amount will be deducted from taxable income before calculating income tax without any declaration or proof submission.",如果选中此复选框,则在计算所得税前将从所有应纳税所得额中扣除全部金额,而无需进行任何声明或提交证明。,
-Disbursement Details,支付明细,
 Material Request Warehouse,物料请求仓库,
 Select warehouse for material requests,选择物料需求仓库,
 Transfer Materials For Warehouse {0},仓库{0}的转移物料,
@@ -8995,9 +8855,6 @@
 Repay unclaimed amount from salary,从工资中偿还无人认领的金额,
 Deduction from salary,从工资中扣除,
 Expired Leaves,过期的叶子,
-Reference No,参考编号,
-Haircut percentage is the percentage difference between market value of the Loan Security and the value ascribed to that Loan Security when used as collateral for that loan.,减价百分比是贷款抵押品的市场价值与该贷款抵押品的价值之间的百分比差异。,
-Loan To Value Ratio expresses the ratio of the loan amount to the value of the security pledged. A loan security shortfall will be triggered if this falls below the specified value for any loan ,贷款价值比表示贷款金额与所抵押担保物价值之比。如果低于任何贷款的指定值,就会触发贷款抵押短缺,
 If this is not checked the loan by default will be considered as a Demand Loan,如果未选中此选项,则默认情况下该贷款将被视为需求贷款,
 This account is used for booking loan repayments from the borrower and also disbursing loans to the borrower,此帐户用于预订借款人的还款,也用于向借款人发放贷款,
 This account is capital account which is used to allocate capital for loan disbursal account ,该帐户是资本帐户,用于为贷款支付帐户分配资本,
@@ -9461,13 +9318,6 @@
 Operation {0} does not belong to the work order {1},操作{0}不属于工作订单{1},
 Print UOM after Quantity,数量后打印UOM,
 Set default {0} account for perpetual inventory for non stock items,为非库存项目的永久库存设置默认的{0}帐户,
-Loan Security {0} added multiple times,贷款安全性{0}已多次添加,
-Loan Securities with different LTV ratio cannot be pledged against one loan,不同LTV比率的贷款证券不能以一项贷款作为抵押,
-Qty or Amount is mandatory for loan security!,数量或金额对于贷款担保是必不可少的!,
-Only submittted unpledge requests can be approved,只有已提交的未承诺请求可以被批准,
-Interest Amount or Principal Amount is mandatory,利息金额或本金金额是强制性的,
-Disbursed Amount cannot be greater than {0},支出金额不能大于{0},
-Row {0}: Loan Security {1} added multiple times,第{0}行:多次添加了贷款安全性{1},
 Row #{0}: Child Item should not be a Product Bundle. Please remove Item {1} and Save,第#{0}行:子项不应是产品捆绑包。请删除项目{1}并保存,
 Credit limit reached for customer {0},客户{0}已达到信用额度,
 Could not auto create Customer due to the following missing mandatory field(s):,由于缺少以下必填字段,因此无法自动创建客户:,